Which error produces incorrect results but does not prevent the program from running? a. syntax b. logic c. grammatical d. human e. None of the above

Answers

Answer 1

Answer:

Logic Error

Explanation:

I'll answer the question with the following code segment.

Program to print the smallest of two integers (written in Python)

num1 = int(input("Num 1: "))

num2 = int(input("Num 2: "))

if num1 < num2:

  print(num2)

else:

  print(num1)

The above program contains logic error and instead will display the largest of the two integers

The correct logic is

if num1 < num2:

  print(num1)

else:

  print(num2)

However, the program will run successfully without errors

Such errors are called logic errors


Related Questions

Write a function to calculate the distance between two points Distance( x1, y1,x2.2) For example Distance(0.0,3.0, 4.0.0.0) should return 5.0 Use the function in main to loop through reading in pairs of points until the all zeros are entered printing distance with two decimal precision for each pair of points.
For example with input
32 32 54 12
52 56 8 30
44 94 4439 6
5 19 51 91 7.5
89 34 0000
Your output would be:__________.
a. 29.73
b. 51.11
c. 55.00
d. 73.35
e. 92.66

Answers

Answer:

The function in Python3  is as follows

def Distance(x1, y1, x2, y2):

   dist = ((x1 - x2)**2 +(y1 - y2)**2)**0.5

   return dist

   

Explanation:

This defines the function

def Distance(x1, y1, x2, y2):

This calculates distance

   dist = ((x1 - x2)**2 +(y1 - y2)**2)**0.5

This returns the calculated distance to the main method

   return dist

The results of the inputs is:

\(32, 32, 54, 12 \to 29.73\)

\(52,56,8,30 \to 51.11\)

\(44,94,44,39\to 55.00\)

\(19,51,91,7.5 \to 84.12\)

\(89,34,00,00 \to 95.27\)

I need a WordPress or Shopify website for my new business? Can anyone recommend low-budget services for e-commerce?

Answers

A good recommendation in terms of low-budget services for e-commerce is Shopify website.

Which is better for eCommerce?

When comparing the two options that are given above, i will chose Shopify as it is known to be sales-focused businesses and very easy-to-use.

Note that it is made up of  full-featured and an automated e-commerce solution and thus A good recommendation in terms of low-budget services for e-commerce is Shopify website.

Learn more about WordPress from

https://brainly.com/question/14391618

#SPJ1

Data analytics benefits both financial services consumers and providers by helping create a more accurate picture of credit risk.
True
False

Answers

Answer:

True

Explanation:

Transfer data across two different networks

Answers

this isn't a question. that is a STATMENT. please, ask a question instead of stating things on this site.

the tag in a cache is used to find whether the desired memory address is present in the cache or not

Answers

True that the tag in a cache is used to find whether the desired memory address is present in the cache or not.

What are the uses of memory address?A device or CPU can track data using a memory address, which is a special identification. The CPU can track the location of each memory byte thanks to this binary address, which is determined by an ordered and finite sequence. A memory address is a reference to a particular memory region used by hardware and software at different levels in computing. Memory addresses are fixed-length digit sequences that are often represented and used as unsigned integers.The variable's position on the computer is indicated by its memory address. This memory address is where the variable's assigned value is saved.

The complete question is,

The tag in a cache is used to find whether the desired memory address is present in the cache or not.T/F

To learn more about  memory address refer to:

https://brainly.com/question/29044480

#SPJ4

In which two areas do organizations need to excel if they are to perform and grow over a long timeframe

Answers

The two areas do organizations need to excel is  by creating or building strategic partnerships, and also making strategic business decisions.

What is growth/development in business?

In business development, one needs great ideas, initiatives, and activities that can aid or help one to make a business good.

Conclusively, This growth involves increasing revenues, business expansion, increasing profits etc.

Learn more about  development in business from

https://brainly.com/question/1621812

explain how the thermostat supports the peripherals used in the project. make sure that you have included all the required details from the scenario in your report. you should discuss each of the three outlined hardware architectures, including ti, microchip, and freescale.

Answers

The project's peripherals are backed by the thermostat, which gives the system the required power and control logic.

About thermostat

The MSP430 microcontroller in the TI architecture handles the thermostat's heat detection, displays, and control operations. The MSP430 communicates with peripherals like the temperature sensor and display and supplies the system with the appropriate control logic. Through its voltage regulator and a battery management system, it also powers the system. The PIC16F microcontroller from Microchip serves as the system's controller in the architecture. The temperature sensor, monitor, and other peripherals are all connected up through it as well. Throughout its voltage regulator & battery management system, it also powers the system.

To know more about thermostat
https://brainly.com/question/22598217
#SPJ4

Class description: A MyString class should behave much like the c++ string class. The class should use a dynamically allocated char array to hold a character string. If the amount of memory allocated to the array is too small to complete some necessary task (e.g., assigning a new character string to the object) the object should automatically double its capacity until it is large enough to complete the task. If it's discovered that the object is using less than 25% of its capacity the object should shrink to half its capacity until it is using more that 25% of its capacity.
Assignment: Implement the MyString class using a header and implementation file named MyString.h and MyString.cpp respectively. Even though MyString.h will be provided on the upload site, create own version for testing code locally. Make sure to properly test code on by creating a test driver that fully tests every function created in the MyString class
Memory Requirements: MyString should start with 10 bytes of allocated memory and should grow in size by doubling. So, we should be able to predict the capacity of MyString as acquiring a patten of 10, 20, 40, 80, ⦠bytes of memory depending of the number of characters stored.
Attributes:
int size â the number of characters currently stored in the string object. Do NOT count the NULL character.
int capacity â the number of bytes currently allocated. This should always be at least size + 1. The extra byte is needed to store the NULL character.
char *data â character pointer that points to an array of characters.
Member Functions:
MyString( ) Constructor
MyString(const char *) Constructor with an initialization character string
~MyString( ) Destructor
MyString(const MyString &) Copy constructor
MyString& operator = (const MyString&) Overloaded assignment operator, make a copy of MyString object
bool operator == (const MyString&) const overloaded equivalence relational operator
char& operator [ ] (int) overloaded [ ] should return a char by reference
void operator += (const MyString&) overloaded += operator, use to concatenate two MyStrings
MyString operator + (const MyString&) const Create a new MyString object that is the concatenation of two MyString objects
void getline(istream&, char delimit = â\nâ); reads an entire line from a istream. Lines are terminated with delimit which is newline â\nâ by default
int length( ) const; return the length of the string
friend ostream& operator<< (ostream&, MyString&); overloaded insertion operator

Answers

You should do 40 points for this

A school has wireless internet so students can bring their own computers to work in the library. A student went to a picnic table outside the library to work. The student had trouble uploading a file. This was likely due to a problem caused by ______.

Decryption
Interference
Attenuation​

Answers

It is to be noted that where a school has wireless internet so students can bring their own computers to work in the library, and a student went to a picnic table outside the library to work., if the student had trouble uploading a file, then this was likely due to a problem caused by Attenuation. (Option C).

What is Attenuation in networking?

Networking Attenuation is the decrease of signal intensity in networking cables or links. It is usually is referred to as attenuation.

This is commonly measured in decibels (dB) or voltage and can be caused by a number of sources. Signals may become distorted or indistinguishable as a result.

Learn more about Attenuation:
https://brainly.com/question/28260935
#SPJ1

In Python what are the values passed into functions as input called?

Answers

formal parameter or actual parameter i think

Functions of barriers include (mark all that apply): A. Define boundaries B. Design layout C. Deny access D. Delay access

Answers

Answer:

A. Define boundaries

C. Deny access

D. Delay access

Explanation:

A barrier is a material or structure used to prevent or block access. Barriers can either be natural or structural and are used for many purposes usually for security reasons. The following are functions of barriers either natural or structural:

Define areas of boundariesDelay or slow access. Example is the use of speed bumps to slow down vehicles.Provide access to entrances such as the use of gatesDeny access to unauthorized personnel and allowing authorized personnel.

The core unit of a PC is the motherboard , CPU , and power supply. Would RAM be considered a core unit or a peripheral ?

Answers

Answer:

Core unit

Explanation:

Ram is a core unit of a pc as it is the main memory in a computer

Answer:

It would be Core unit bc Ram is a core unit of a pc as it is the main memory in a computer

Design a class template, Collection, that stores a collection of Objects (in an array), along with the current size of the collection. Provide public functions isEmpty, makeEmpty, insert, remove, and contains. contains(x) returns true if and only if an Object that is equal to x is present in the collection.

Answers

A class template, Collection, that stores a collection of Objects (in an array), along with the current size of the collection is given below:

The Program

using namespace std;

#include <iostream>

#include <iomanip>

#include <stdlib.h>

#include <string.h>

typedef struct _TDataStr

{

char * data;

int size;

} *TDataStr;

typedef struct _TDataStr DataStr;

#define DATA_STR_SIZE (sizeof(struct _TDataStr))

#define TDATA_STR_SIZE (sizeof(TDataStr))

#define MAX_COLLECTION_SIZE (1000)

typedef int (*CompareFuncCallback) ( TDataStr, TDataStr);

typedef

class Collection

{

private:

CompareFuncCallback compareFunc;

DataStr Array[MAX_COLLECTION_SIZE];

int count;

public:

Collection( CompareFuncCallback compareFuncCallback)

{

compareFunc = compareFuncCallback;

count=0;

memset(Array,0,MAX_COLLECTION_SIZE * DATA_STR_SIZE);

}

void SetCompareCallback (CompareFuncCallback compareFuncCallback)

{

compareFunc = compareFuncCallback;

}

int GetCount() { return(count);    }

bool IsEmpty() { return(count==0); }

void Clear()

{

count=0;

memset(Array,0,MAX_COLLECTION_SIZE * DATA_STR_SIZE);

}

int Insert ( TDataStr dataStr)

{

int iReturn=0;

if (count < MAX_COLLECTION_SIZE)

{

Array[count++] = *dataStr; //insertion takes place here

}

else

{

iReturn=-1;

}

return(iReturn);

}

bool IsValidIndex( int iIndexPos)

{

return( (iIndexPos>-1) && (iIndexPos<count) );

}

TDataStr IndexerGetIndexAt(int iIndexPos)

{

TDataStr dataStrReturn = NULL;

if (IsValidIndex(iIndexPos))

{

dataStrReturn = &Array[iIndexPos];

}

return(dataStrReturn);

}

int Remove (int iIndexPos)

{

int iReturn=0;

if (count==0)

{

iReturn=-1;

}

else

{

if (IsValidIndex(iIndexPos))

{

Complete code is in the txt file attached

Read more about programming here:

https://brainly.com/question/23275071

#SPJ1

why does computer need memory​

Answers

so that they can store your things you download.

Answer:

To Help you keep your cherisable and memorable moments.

TCP is more dependable protocol than UDP because TCP is

Answers

Explanation:

because TCP creates a secure communication line to ensure the reliable transmission of all data.

Which concept deals with connecting devices like smart refrigerators and smart thermostats to the internet?

1 point

IoT


IPv6


NAT


HTTP

Answers

The concept that deals with connecting devices like smart refrigerators and smart thermostats to the internet is the Internet of Things (IoT).

The correct answer to the given question is option A.

It is a network of interconnected devices and systems that can interact with each other through the internet, and it includes anything that can be connected to the internet, from smartphones to cars, homes, and even cities.

IoT is a revolutionary technology that has the potential to change the way we live and work. It is built on the foundation of the internet and relies on the Internet Protocol (IP) for communication between devices.

To enable IoT to operate on a global scale, IPv6 was developed. This protocol provides a large number of unique IP addresses that can accommodate the growing number of IoT devices that are being connected to the internet. Network Address Translation (NAT) is another concept that is used to connect devices to the internet. It is a technique that allows multiple devices to share a single public IP address.

Hypertext Transfer Protocol (HTTP) is the primary protocol used to transfer data over the internet. In summary, IoT is the concept that deals with connecting devices like smart refrigerators and smart thermostats to the internet.

For more such questions on Internet of Things, click on:

https://brainly.com/question/19995128

#SPJ8

Describe the impact of a company’s culture on its success in a customer-focused business environment. Discuss why each is important.

Answers

The influence of a corporation's  culture cannot be underestimated when it comes to achieving success in a customer-centric commercial landscape.


What is company’s culture

The values, beliefs, norms, and behaviors that constitute a company's culture have a major impact on how its employees engage with customers and prioritize their requirements.

Having a customer-centric mindset means cultivating a culture that places a strong emphasis on satisfying and prioritizing customers' needs and desires, resulting in employees who are aware of the critical role customer satisfaction plays in ensuring success.

Learn more about company’s culture from

https://brainly.com/question/16049983

#SPJ1

are most often used to create web pages and web applications

Answers

Answer: HTML CSS AND JS

Explanation: These programming languages are best well known for building webs HTML is for the skeleton basically and the CSS is for styling the JS is for cool interactions.

mitch, an attorney, accepts an offer for an attorney position at the firm. grisham, the managing partner of the firm, sends mitch an employment policy manual, which contains policies regarding attendance and confidentiality prior to mitch's first day. grisham includes a note advising mitch to carefully review the manual as he would be expected to adhere to its policies. during his first week at the firm, mitch is seen leaving the office at noon with copies of files tucked under his arm and not returning. he is also observed giving the copied files to a man not associated with the firm. at the end of the week, mitch is terminated for violating the terms of the employment policy manual. which of the following is true?

Answers

The Employment Policy Manual is part of the implied contract between Mitch and The Firm. An implied contract typically arises as a result of a written presumption of employment or an oral hiring agreement from an employer or corporate representative.

These agreements are typically made by an oral agreement that becomes a written employment contract or through an employee handbook. During the initial training phase or with policies and written guarantees that the employer would supply at some point in the first few weeks or months of employment, some employees sign employment documentation. The working connection between the person and the company is then established by the implied contract, which may lead to promotion, position changes, raises, and continuous pay.

To learn more about  implied contract click here:

brainly.com/question/29534526

#SPJ4

Complete question:

mitch, an attorney, accepts an offer for an attorney position at the firm. grisham, the managing partner of the firm, sends mitch an employment policy manual, which contains policies regarding attendance and confidentiality prior to mitch's first day. grisham includes a note advising mitch to carefully review the manual as he would be expected to adhere to its policies. during his first week at the firm, mitch is seen leaving the office at noon with copies of files tucked under his arm and not returning. he is also observed giving the copied files to a man not associated with the firm. at the end of the week, mitch is terminated for violating the terms of the employment policy manual.

Which of the following is true?

Mitch may recover his moving expenses under the doctrine of promissory estoppel.The Firm breached its express contract with Mitch by terminating him.The Employment Policy Manual is part of the implied contract between Mitch and The Firm.The Firm may recover Mitch's salary under the doctrine of quasi-contract."The Employment Policy Manual is part of the implied contract between Mitch and The Firm.

TRUE OR FALSE susanne accidentally deleted an important paragraph in her document. she can recover the paragraph by selecting the appropriate autosaved version of the document in the info screen of the file tab.

Answers

Susanne accidentally deleted some important paragraph in her document. she can recover the paragraph by just selecting the appropriate autosaved version of the document in the info screen of the file tab. (True)

What is file tab?

The File tab is a section of the Office Ribbon in Microsoft Word and other Microsoft Office applications that provides access to file functions. For instance, you can access the Open, Save, Close, Properties, and Recent file options from the File tab. Microsoft Word 2010 is shown in the image below. The blue icon in the top-left is the File tab.

The top of the window contains one or more tabs called file tabs when viewing a computer file's properties. Some software programmes might integrate, adding more file tabs, information, or functionality to the properties window. The information listed below is one of the specific details about the file that are provided on each file tab.

Learn more about file tab

https://brainly.com/question/27683448

#SPJ4

Write a C++ program that determines if an integer is a multiple of 7. The program should prompt the user to enter and integer, determine if it is a multiple of 7 by using a given formula and output the result. This is not meant to be a menu driven program so one run of the program will only offer one input and one output.

Answers

Answer:

#include <iostream>  // Needed for input/output operation

int main()  // define the main program

{

   int userNumber = 0; // number storage for user input

   std::cout << "Please enter an integer: ";  // Ask user for number

   std::cin >> userNumber;  // Assumes user input is an integer

   if (userNumber % 7 != 0)  // Check to see if 7 divides user input

       std::cout << "\nYour number is not a multiple of 7.\n";

   else

       std::cout << "\nYour number is a multiple of 7.\n";

   return 0;  // End program

}

As a basic user of SAP Business One, which feature of the application do you like most?

Answers

Answer:

I like the software most because it is completely for the sales department. I am very satisfied with what this software provides since I work as a sales specialist.

Explanation:

As an internal auditor, I first have to check and make sure the business is going through all reports and operations and that SAP Business One has helped me a lot with reporting features. I'm a huge fan of SAP Business One. And how this software is incredibly fully integrated when an accountancy provider creates a new customer name or adds a new item in every module, and the non-duplicate data feature secures the master data from any duplicate item.

Intuitive sales quotation and sales order functions help salespeople to develop deals that they can conclude. The mobile app adds to the software's usefulness fantastically.

In general, the system has a good monetary value. I would recommend it to everyone involved in the decision-making process and it is my favorite.

Write a program that asks a user for 5 numbers. Provide a menu of options of 5 things that can be done with these numbers

Answers

Use a for loop to continually iterate through a series (that is either a list, a tuple, a dictionary, a set, or a string). This performs less like the for keyword seen in other programming languages and more like an iterator method used in other object-oriented programming languages.

How to write a program that asks a user for 5 numbers.?

input = a ()

initial = int (a)

second = int and b = input() (b)

Third = int(c), and fourth = input ()

four = integer (d)

If a > b, a > c, or a > d,

print ('the largest number' + a),

and then elif a b, a, b > c, or b > d:

print ("the largest number")

elif b a> b or d > b or d > C:

print ("The greatest number is")

elif d >= a, b, or c:

 print ('the smallest numbet is'+ d)

else:

num = 0

while num< 100:

num = num + 5

print(str(num))

print(’Done looping!’)

The complete question is : Write a program that asks the user to type in 5 numbers , and that outputs the largest of these numbers and the smallest of these numbers. So for example if the user types in the numbers 2456 457 13 999 35 the output will be as follows : the largest number is 2456 the smallest number is 35 in python ?

To learn more about loop refer to:

https://brainly.com/question/19344465

#SPJ1

Drag each tile to the correct box.
Match the certifications to the job they best fit.
CompTIA A+
Cisco Certified Internetwork Expert (CCIE)
Microsoft Certified Solutions Developer (MCSD)
help desk technician
network design architect
software developer

Answers

Answer:

software developer- microsoft certified solutions developer

help desk technician- CompTIAA+
network design architect- Cisco certified internetwork expert

Explanation

edmentum

Need help with this python question I’m stuck

Need help with this python question Im stuck
Need help with this python question Im stuck
Need help with this python question Im stuck

Answers

It should be noted that the program based on the information is given below

How to depict the program

def classify_interstate_highway(highway_number):

 """Classifies an interstate highway as primary or auxiliary, and if auxiliary, indicates what primary highway it serves. Also indicates if the (primary) highway runs north/south or east/west.

 Args:

   highway_number: The number of the interstate highway.

 Returns:

   A tuple of three elements:

   * The type of the highway ('primary' or 'auxiliary').

   * If the highway is auxiliary, the number of the primary highway it serves.

   * The direction of travel of the primary highway ('north/south' or 'east/west').

 Raises:

   ValueError: If the highway number is not a valid interstate highway number.

 """

 if not isinstance(highway_number, int):

   raise ValueError('highway_number must be an integer')

 if highway_number < 1 or highway_number > 999:

   raise ValueError('highway_number must be between 1 and 999')

 if highway_number < 100:

   type_ = 'primary'

   direction = 'north/south' if highway_number % 2 == 1 else 'east/west'

 else:

   type_ = 'auxiliary'

   primary_number = highway_number % 100

   direction = 'north/south' if primary_number % 2 == 1 else 'east/west'

 return type_, primary_number, direction

def main():

 highway_number = input('Enter an interstate highway number: ')

 type_, primary_number, direction = classify_interstate_highway(highway_number)

 print('I-{} is {}'.format(highway_number, type_))

 if type_ == 'auxiliary':

   print('It serves I-{}'.format(primary_number))

 print('It runs {}'.format(direction))

if __name__ == '__main__':

 main()

Learn more about program on

https://brainly.com/question/26642771

#SPJ1

1. Web-based applications are application software which operate and can
be accessed through
A. Intranets
B. The World Wide Web
C. Desktop applications
D. Storage hardware

Answers

Answer:

b.world wide web

Explanation:

Use the drop-down menus to complete statements about how to use the database documenter

options for 2: Home crate external data database tools

options for 3: reports analyze relationships documentation

options for 5: end finish ok run

Use the drop-down menus to complete statements about how to use the database documenteroptions for 2:

Answers

To use the database documenter, follow these steps -

2: Select "Database Tools" from   the dropdown menu.3: Choose "Analyze"   from the dropdown menu.5: Click on   "OK" to run the documenter and generate the desired reports and documentation.

How is this so?

This is the suggested sequence of steps to use the database documenter based on the given options.

By selecting "Database Tools" (2), choosing "Analyze" (3), and clicking on "OK" (5), you can initiate the documenter and generate the desired reports and documentation. Following these steps will help you utilize the database documenter effectively and efficiently.

Learn more about database documenter at:

https://brainly.com/question/31450253

#SPJ1

You have finished the installation and set up of Jaba's Smoothie Hut. Kim asks for the VPN to be setup

Answers

Three wireless access points, a 24-port switch, and a modem/router with 100 Mbps service make up the best configuration for Jaba's Smoothie Hut's dedicated internet service, which should have enough bandwidth to handle customer demand and run the business.

What is meant by VPN?A virtual private network (VPN) is a method for establishing a safe connection between two networks, or between a computer and a network, via a public or insecure communication channel like the Internet.The term "virtual private network" (VPN) refers to a service that aids in maintaining your online privacy. With the help of a VPN, you may create a private tunnel for your data and communications while using public networks. Your computer and the internet are connected in a secure, encrypted manner through a VPN. The capacity to establish a secure network connection when using public networks is known as a virtual private network, or VPN.A VPN enables you to encrypt your internet traffic and disguise your online identity. As a result, it will be more difficult for other parties to keep tabs on your internet usage and steal data.

To learn more about VPN, refer to:

https://brainly.com/question/16632709

#SPJ1

You are working as a marketing analyst for an ice cream company, and you are presented with data from a survey on people's favorite ice cream flavors. In the survey, people were asked to select their favorite flavor from a list of 25 options, and over 800 people responded. Your manager has asked you to produce a quick chart to illustrate and compare the popularity of all the flavors.

which type of chart would be best suited to the task?
- Scatter plot
- Pie Chart
- Bar Chart
- Line chart

Answers

In this case, a bar chart would be the most suitable type of chart to illustrate and compare the popularity of all the ice cream flavors.

A bar chart is effective in displaying categorical data and comparing the values of different categories. Each flavor can be represented by a separate bar, and the height or length of the bar corresponds to the popularity or frequency of that particular flavor. This allows for easy visual comparison between the flavors and provides a clear indication of which flavors are more popular based on the relative heights of the bars.

Given that there are 25 different ice cream flavors, a bar chart would provide a clear and concise representation of the popularity of each flavor. The horizontal axis can be labeled with the flavor names, while the vertical axis represents the frequency or number of respondents who selected each flavor as their favorite. This visual representation allows for quick insights into the most popular flavors, any potential trends, and a clear understanding of the distribution of preferences among the survey participants.

On the other hand, a scatter plot would not be suitable for this scenario as it is typically used to show the relationship between two continuous variables. Pie charts are more appropriate for illustrating the composition of a whole, such as the distribution of flavors within a single respondent's choices. Line charts are better for displaying trends over time or continuous data.

Therefore, a bar chart would be the most effective and appropriate choice to illustrate and compare the popularity of all the ice cream flavors in the given survey.

for more questions on Bar Chart

https://brainly.com/question/30243333

#SPJ8

How do the InfoSec management team's goals and objectives differ from those of the IT and general management communities

Answers

InfoSec management team's goals and objectives differ from those of the IT and general management communities in terms of:

Strategic planningLevels of work.Risk management

How does SecDLC differs?

The SecSDLC is known to be a lot more  aligned with risk management practices and it is one that makes a huge effort in knowing the kinds of specific threats and risks, and makes or create and implements a lot of controls to counter those threats and aid in management of the said risk.

Therefore,  InfoSec management team's goals and objectives differ from those of the IT and general management communities in terms of:

Strategic planningLevels of work.Risk management

Learn more about management team's from

https://brainly.com/question/24553900

#SPJ1

Other Questions
the exact definition of a word is its meaning.(1 point) responses connotative connotative literal literal comparative comparative metaphorical metaphorical What is the impeachment process and removal for federal officials according to the united states constitution?. Which waves can travel through space? Plz help me I dont know how to do this help me The sum of the lengths of KLM is 16.14 cm. The length of KL is 6 cm and the length of LM is 4.9 cm. What is the length of KM? A. 27.04 cm B. 5.34 cm C. 5.24 cm D. 5.14 cm Which of the following is not one of the three-pronged processes of remediation? a) The prevention and detection of a fraud that has already occurred. b) The recovery of losses through insurance, the legal system, or other means. c) Support for the legal process as it tries to resolve the matter in the legal environment. d) The modification of operational processes, procedures, and internal controls to minimize the chances of a similar fraud recurring. beyond global warming, what are two major ecological effects of increased co2? explain the mechanisms for each. Find the difference in altitude between a mountain that has an altitude of 4091 feet and a desert valley that is 440 feet below sea level.What is the difference in altitude? Hours and hours would be a good example of ? A patient takes 110 mg of a drug at the same time every day: Just before each tablet is taken, 5% of the drug present in thpreceeding time step remains in the body. What quantity of the drug remains in the body in the long run?Hint: First find the quantity of drug present in the body after the second tablet, third tablet, etc to generalize the sequencformula for the nth tablet. Then use that sequence to predict the drug remains in the long run. i dont understand this Which of these passages from Inaugural Address is an example of a structure that is parallel in how the phrases are arranged? A baseball player is offered a 5 -year contract that pays him the following amounts: Year 1: $1.6 million Year 2: $2.6 million Year 3:$2.3 million Year 4: $1.2 million Year 5: \$1.1 million Under the terms of the agreement all payments are made at the end of each year. Instead of accepting the contract, the baseball player asks his agent to negotiate a contract that has a present value of $3 million more than that which has been offered. Moreover, the player wants to receive his payments in the form of a 6 -year annuity due. All cash flows are discounted at 11.9 percent. If the team were to agree to the player's terms, what would be the player's annual salary (in millions of dollars)? Question 5 Your uncle has $108,951 invested at 6.7 percent, and he now wants to retire. He wants to withdraw $14.246 at the end of each year, starting at the end of this year. He also wants to have $36,471 left to give you when he ceases to withdraw funds from the account. For how many years can he make the $14,246 withdrawals and still have $36,471 left in the end? 8.17 7.67 8.67 9.17 9.67 Previous question when conflicts cannot be resolved, sometimes two opposing groups or individuals turn to a third party to impose a settlement or decision. this third party is called a(n) Correct the faulty parallelism in the following sentence. Correct spelling, punctuation, and spacing will be required to answer this question. "On our vacation we went swimming and hiking, but not the amusement park." True/Falseif you are offering criticism, it is more effective to deal with several issues together, rather than limiting the discussion to one topic. When full the gas tank of a car holds 15 gallons. What percent does 12 gallons represents how full the tank is.Answer with supporting work: What does montresor tell his servants indian here......................................................................................................... please help asap....