Which would be the best user error message?

A) Invalid Parameter
B) You must type a user name to continue.
C) You enter a user name to continue.
D) Gotcha! Type in a your user name.
E) Point the cursor on the user name and type one, please.

Answers

Answer 1

Answer: B. You must type a username to continue.

Explanation: "you must type a username to continue" is the most suitable error message of all the options given because it is the appropriate way and user-friendly approach to the user for correcting the error as compared to other options which consist of inappropriate words ,slang language or lengthy message which is not easily understood by the user.


Related Questions

In a well-designed detail report, a field called a(n) ____ field controls the output.
Answer
break
indexed
dominant
control

Answers

Answer:

Control

Explanation:

Write a C++ code that will read a line of text convert it to all lower case and print it in the reverse order. Assume the maximum length of the text is 80 characters. Example input/output is shown below:

Input:

Hello sir

Output:

ris olleh

Answers

C++ program for converting it into lower case and printing in reverse order

#include <iostream>

#include <string>

#include <cctype>

using namespace std;

//driver function

int main()

{

// Declaring two string Variables

//strin to store Input string

//low_string to store the string in Lower Case

string strin, low_string;

int i=0;

cout<<"Input string: "<<endl;

/*getline()method is used to store the characters from Input stream to strin string */

getline(cin,strin);

//size()method returns the length of the string.

int length=strin.size();

//tolower() method changes the case of a single character at a time.

// loop is used to convert the entire Input string to lowercase.

while (strin[i])

{

  char c=strin[i];

  low_string[i]=tolower(c);

   i++;

}

//Checking the length of characters is less than 80

if(length<80)

 {

    cout<<"Output string: "<<endl;

   //Printing the Input string in reverse order, character by character.

    for(int i=length-1;i>=0;i--)

   {

    cout<<low_string[i];

   }

cout<<endl;

}

else

    {

       cout<<"string Length Exceeds 80(Max character Limit)"<<endl;

    }

return 0;

}

Output-

Input string:

Hello sir

Output string:

ris olleh

Java provides a(n) ____ class, which contains many useful methods for manipulating arrays.

a.
Table

b.
Sort

c.
Arrays

d.
Object

Answers

Java presents Array Class, which contains many useful methods for manipulating "arrays".

It is essential because it introduces arrays and with that concept of "container variables".

Arrays are used everywhere.

Hope this helps.

r3t40

Digits Sum Write a function main( that reads a positive integer, calls the function digits which finds the digits sum of that integer. The function main( prints the sum. Sample input/output: Enter a positive integer: 20010 The digits sum of 20019 is 3

Answers

Answer:

#include<iostream>

using namespace std;

int digits(int number){

   int sum=0;

   while(number != 0){

       int rem = number % 10;

       sum = sum + rem;

       number = number/10;

   }

   return sum;

}

int main(){

   int number;

   cout<<"Enter the integer: ";

   cin>>number;

   int result = digits(number);

   cout<<"The sum of digits is: "<<result<<endl;

}

Explanation:

Include the library iostream for use of input/output.

Then, create the function digits with return type int.

Take a while loop and put a condition number not equal to zero.

the while loop executes the until the condition is not false.

In the while loop, take the remainder of the number and store in the rem variable.

after that, the store in the sum then reduces the number by dividing 10.

for example:

the number is 123.

rem = 123%10 it gives the value 3.

sum = 0+3=3

number = 123/10 it equal to 12

then,

rem = 12%10 it gives the value 2.

sum = 3+2=5

number = 12/10 is equal to 1

the same process executes until the number becomes zero and then the while loop terminates and the sum value returns to the main function.

create the main function and take the value from the user and call the function with the argument number.

and finally, print the result.

How would you copy all files from a remote directory into your LOCAL home folder.

Answers

Answer: Using secure copy 'SCP' we can copy all files from a remote directory into local folder. It also replaces existing files.

Explanation:

This is illustrated as follows:

scp -r username@IP:/path/to/server/source/folder/  .

-r is recursively copy all files

username is your username in your system

IP, here you cab specify the IP or type the website such as www.google.com

Then we specify the path, complete path

"." dot here refers the current directory. To copy the contents in the current directory.

What is the output of the following code segment?

n = 1;
for ( ; n <= 5; )
cout << n << ' ';
n++;




1. 1 2 3 4 5

2. 1 1 1 ... and on forever

3. 2 3 4 5 6

4. 1 2 3 4

5. 2 3 4 5

Answers

Answer

1 2 3 4 5

Explanation:

initialize the value of n with 1

then, for loop is executed until the condition is true.

so, it check the condition 1<=5, condition true, code is executed and print 1

and n become 2.

again check condition 2<=5 condition true, code is executed and print 2

and n become 3.

and so on....

it print 1 2 3 4 5 after that check condition 6<=5 condition false, it terminate from loop.

Therefore, the answer is  1 2 3 4 5

In the second form of ____, the binary operation op is applied to the elements in the range.

A.
adjacent_find

B.
adjacent_difference

C.
adjacent_member

Answers

If I remember correctly from my computer science class it is B.

Appreciate with dumbsup and need short discription about what is java programming

Answers

Answer:

java programming language is a programming language which is based on the concepts of object oriented programming.

Explanation:

Java program uses the concept of classes and enable to use the classes by making objects of them. Java program is similar in concepts to that of C++. java program can run on a single system or can also be shared across a network. It is considered to be safe and it is interpreted by JVM (Java virtual machine). Some of its characteristics are it exhibits polymorphism, inheritance and overloading and overriding functions.

Java is used for developing many web based application, software's and games. These program are easy to write, debug and compile with perfect GUIs for which it is considered to be user friendly.

True / False
Overflow is usually ignored in most computer systems.

Answers

Answer: True

Explanation: Overflow in computer system is a situation when there is the occurrence of error or disruption due to very large number that is given for calculation cannot be handled.So whenever the range of the particular number given by the user for calculation exceeds is termed as overflow error.It is usually avoided by the computer system because there is not much input given with large numbers for arithmetic operation or can be handled.

Kindly guide me How can I get the easy examples and tutorialsregarding:
a) Finite Automata
b) Transition Graph
c) Generalized Transition Graph
d) Kleen's Theorem

Answers

I thing it’s c but I’m not positive

Write an If - Then statement that sets the variable hours to 10 when the flag variable minimum is set.

Answers

An If-Then statement that sets the variable hours to 10 when the flag variable minimum is set:

Using an explicit comparison:

if minimum:

   hours = 10

This statement simply checks if minimum is True. If it is, then it assigns 10 to the hours variable.

What error occurs in the following program? #include using namespace std; int main() { int number1, number2, sum; cout << "Enter number 1:"; cin >> number1; cout << "Enter number 2:"; cin >> number2; number1 + number2 = sum; cout << "The sum of number 1 and number 2 is " << sum; return 0; }

Answers

Answer:

1. ‘cout’ was not declared in this scope.

2. ‘cin’ was not declared in this scope.

3. lvalue required as left operand of assignment.

Explanation:

The code gives the error cout and cin was not declare. This error means, we not include the library where they define.

cout and cin is the input/output instruction and they include in the library iostream file.

the last error is lvalue required as left operand of assignment.

lvalue means the assignable value, we actually do the wrong assignment.

number1 + number2 = sum;

here, sum is is the assignment variable. so, it must be in the right side of the '=' operator.

sum = number1 + number2 ;

Now, the above is correct. the value number1 plus number2 is assign to sum.

Given the following code, what is the final value of i at the end of the program? int i; for(i=0; i<=4;i++) { cout << i << endl; }

Question 5 pow(2,3) is the same as pow(3,2). Question 14 options: True False

Question 6 The functions pow(), sqrt(), and fabs() are found in which include file?

cstdlib

cmath

iostream

regular

Answers

Answer:

The final value of i will be 5 at the end of the program.

i=0, i≤4, prints 0.

i=1, i≤4, prints 1.

i=2, i≤4, prints 2.

i=3, i≤4, prints 3.

i=4, i ≤ 4, prints 4.

i=5, i is not ≤ 4, stops here.

Q-5:

pow(2,3) = 8 and pow(3,2)=9, so they are not same.

Q-6:

The functions pow(), sqrt(), and fabs() are found in which cmath

Explanation:

Final answer:

The final value of i is 5. pow(2,3) is not the same as pow(3,2). The functions pow(), sqrt(), and fabs() are located in the cmath include file.

Explanation:

Final Value of Variable i

The final value of i at the end of the loop in the C++ code is 5. This occurs because the loop continues to increment i until the condition i <= 4 is no longer true. After the last execution with i equal to 4, the loop increments i to 5 and then checks the condition, which fails, thus exiting the loop and leaving i with a value of 5.

Power Function Comparison

pow(2,3) is not the same as pow(3,2). The pow function returns the value of one number raised to the power of another. Thus, pow(2,3) calculates 2 to the power of 3 (2*2*2), which equals 8, while pow(3,2) calculates 3 to the power of 2 (3*3), which equals 9.

Function Include Files

The functions pow(), sqrt(), and fabs() are all found in the cmath include file of C++.

Give three reasons why you think ETL functions are mostchallenging in data warehouse environment.

Answers

Final answer:

ETL functions are challenging in a data warehouse environment due to the high volumes of data, the variety and inconsistency of data formats and structures, and the imperative need to maintain data quality.

Explanation:

ETL, which stands for Extract, Transform, Load, is a critical process in a data warehouse environment. It involves the integration of data from multiple sources, transformation of that data into a format suitable for analysis, and then loading it into the data warehouse.

There are three main reasons why ETL functions can be particularly challenging in this setting:

Data Volume: The sheer amount of data that needs to be processed can be overwhelming. Handling large volumes of data requires robust systems and can be time-consuming, thus posing a significant challenge.

Data Variety: Different data sources can mean inconsistent formats, structures, and quality. Achieving consistency and accuracy in data transformation is a difficult task that demands meticulous attention to detail and sophisticated processes.

Data Quality: Ensuring the correctness, completeness, and reliability of data is paramount. This can be a daunting task due to potential errors in the data and the complexity of data validation rules.

The challenges of ETL highlight the importance of having a well-designed data warehouse architecture and a comprehensive approach to data management.

electronic business includes which of the following

A. servicing customers

B. buying and selling

C. conducting electronic transactions within an organization

D all of these

Answers

Answer:

D. all of these

Explanation:

Electronic business includes :  servicing customers, buying and selling , conducting electronic transactions within an organization.

Answer is all of these- D.

_________ variables are defined outside all functions and are accessible to any function

within their scope.

Answers

Answer:

Global Variables

Explanation:

A Global variable is a variable defined usually in the header that can be accessed by any part in a program.

However, this is not a good practice because anything in the program can modify the value of the variable; also, helps to get more difficult to read a code, due to the fact that you need to know where are those variables and where they have been modified.

Example en c++: Check that the final result its 10, it is not necessary to pass the variable as a parameter in functions

#include <iostream>

int varGlobal = 5; // this is the global variable

void ChangeVarGlobal()

{

varglobal=10; // reference to the variable

}

void main()

{

std::cout << global << '\n'; // reference to a variable in a second function

  ChangeVarGlobal();

  std::cout << global << '\n';

  return 0;

}

. Stress can affect not only your health, but also other aspectsof your
life. What else can be affected by stress?
a. Family relationships
b. Work performance
c. Your attention to safety
d. All of the given options

Answers

Answer:

d

Explanation:

all of this. all of this can happen due to stress

Windows XPProfessional and Windows Vista Both have same devicedrivers.
True
False

Answers

Answer: False

Explanation:

 Windows XP Professional and Windows Vista, both does not have same device drivers because they both have different structural modules. Both windows XP and windows Vista are different in terms of their security architecture, mobile computing and networking technologies.

As, windows XP has suffered from security problems or issues with the performance. Vista has received issue with product activation and performance. Another common problem of Vista is that integration of new form of DRM in the operating system and security technology.

)What are the approaches used to design a Control unit? Brieflycompare them.

Answers

Answer: Control unit is the main unit of CPU which is responsible for handling of the processor's control action. There are two  ways to design a control unit :-

Hardwired control unitMicro-programmed control unit

Explanation: Comparison of the two control units are as follows:-

Hardwired control is comparatively rapid than the micro-programmed control .Hardwired control is circuit type technology and micro-programmed control is software type technology.Hardwired control is based on the RISC architecture and micro-programmed is based on CISC architecture.

The Flow of Control refers to the order in which statements are executed. TRUE FALSE

Answers

Answer:

TRUE

Explanation:

The Flow of Control refers to the order in which the statements are executed.

One can understand the code if he knows the flow of control.

The size of selcetor registor in protectedmode is
a.32 bits, b. 24 bits,c. 16 bit, d.none of these option

Answers

Answer: c) 16 bits

Explanation: Protected mode is the mode which works when the phase of CPU of an operating system which allows to use the virtual memory of the system. It is different from the real world mode and has the codes of 32 bit or 16 bits. For the protected mode ,the size the selector register becomes of 16 bits.When you enter any 16 bit value , it get into the selector register.

Which of the following would be considered a good name for a function that converts temperatures from Fahrenheit to Celsius? A. calc B. convert temp C. temp D. myfunction

Answers

Answer:B) converttemp

Explanation:  A good function name should provide an indication of the task carried out by the function.In this case, our task is related to conversion of temperature from one unit to another. So converttemp would represent a good nomenclature for the function and would enable the end user to determine the applicability of the function to his use case.

Consider the following line of code: price= input(Please enter the price: ") What would be the next line in your code that will allow you to store the price as a decimal number price price(decimal) price float(price) price decimal(price) price int(price

Answers

Answer:

price float(price)

Explanation:

There are four basic type of data type use in the programming to declare the

variable.

1. int:  it is used for integer values.

2. float:  it is used for decimal values.

3. char:  it is used for character values

4. Boolean: it is used for true or false.

in the question, the one option contain the data type float (price float(price)). So, it store the value in decimal.

price int(price):  it store the value in integer.

price decimal(price):  it is wrong declaration of variable. their is no data type in the programming which name is decimal.

price price(decimal):  it is wrong declaration of variable. their is no data type in the programming which name is price.

The code calculates and prints the sum of all the elements in the array a.

Int sum = 0;

For ( int I = 0; I < a.length; i++ )

{

//Your code goes here.

}

System .out.println( %u201Csum is %u201C + sum );

Answers

Answer:

public class sum{

    public static void main(String []args){

       int sum = 0;

       

       int[] a = {9,2,8,4,0,6};

       

       for ( int i = 0; i < a.length; i++ )

       

       {

       

           sum = sum + a[i];    

       

       }

       System.out.println("The sum is: "+sum );

   }

}

Explanation:

First create the class in java programming.

Then create the main function and declare the variable and array.

To calculate the sum of all element in array, first we have to traverse the array pick element one by one and then add,

so, we have to use loop for traversing and add with sum which inialize with zero.

suppose array element is 1,2,3,4

sum = sum +a[1]  means sum = 0 +1=1

the sum = 1+2=3, sum = 3+4=7.

and then finally print the result store in sum.

In the MOV instruction both operands i.e. source andthe destination cannot be

_______________ operands.

Answers

Answer:

an immediate.

Explanation:

It is because of the instruction encoding and decoding.Intel which make these instructions decided not include instructions which provide no real advantage. MOV segment register is one of them because segment register need not to be changed very often.This saves the space in instruction encoding.

Answer: In the MOV instruction both operands i.e., source and the destination cannot be immediate operands.

Explanation:

The destination operand must be in data alterable mode and it cannot be an an immediate operand, or a segment register. Basically, the mov operation are used to copy the values stored in one registers to another registers. It can be used to load a small integer in the register.

. ............... package is used by compiler itself. So it does not need to be imported for use.
A) java.math
B) java.awt
C) java.applet
D) java.lang

Answers

Answer: The compiler automatically imports the java.lang package.

Explanation:

Java packages are defined as a collection of classes, interfaces, and the like. Java programs utilize the components in the packages to implement their functionalities. Packages are either imported by the compiler or by the user through import keyword. The user can import any package using the import keyword. The import statements are always written at the beginning of the program.

import java.math.* ;

For example, the programmer writes the above statement that imports the java.math package into the java program.

Default packages are automatically imported by the compiler.

Default packages include java.lang packages. This default package is made up of all the classes and functions that are mandatory to any java program. Without java.lang package, the java program cannot be compiled and hence, becomes useless. The Java compiler adds the import statement for the default package, java.lang, at the beginning of the compilation. Hence, the statement

import java.lang.*;

does not needs to be written in the program.

The java.lang package consists of useful components which are required for various operations that can be done on the datatypes found in Java language. This package consists of classes and functions which relates to each data type and defines the functions which can be utilized to perform the operations allowed for the respective data types.

The java.lang package consists of Object, String, Math, System, Thread, Exception classes and wrapper classes like Integer, Double etc.. All the operations that can be implemented on the above-mentioned data types utilize the functions defined in their respective classes.

For example, printing on the console is done using System class.

System.out.println();

Also, all the operations done on strings use the methods such as append(), insert(), delete(), and replace(), etc, are pre-defined in the String class in the java.lang package.

Without java.lang package, any Java program cannot be useful.

What is meant when it is said that an exception is thrown?

Answers

Answer:

It is an error in the program that warns the users that something is wrong in the data they have entered

Explanation:

Null pointer exception, ArrayIndexOutOfBounds and arithmetic exception are some of the exception which can be thrown in a code segment. example if we use divide by zero then the exception to be used is arithmetic exception. Similarly we can also define our own conditions for throwing an exception using the keyword throw. Example throw exception class("error message"),

Write a C++ programthat simulates a cash register. The user should keeptyping

in the prices of items andthe register must keep adding them up. When the user

types a 0, the registershould add up the prices of all the items, add 8% salestax,

and output the finaltotal. Example output is given below.


Enter the price of item 1: 5.00

Answers

Answer:

//C++ code for the cash register..

#include <iostream>

#include<vector> //including vector library

using namespace std;

int main() {

vector<float> cash; //declaring a vector of type float.

float item=2,cash_sum=0;

int counter=1;

while(item!=0)//inserting prices in the vector until user enters 0...

{

    cout<<"Enter the price of item "<<counter<<" :"<<endl;

cin>>item;

counter++;

cash.push_back(item);//inserting element in the vector...

}

for(int i=0;i<cash.size();i++)//looping over the vector...

{

    cash_sum+=cash[i];//summing each element..

}

cash_sum*=1.08;//adding 8% sales tax.

cout<<cash_sum;//printing the result....

return 0;

}

Explanation:

I have taken a vector of type float.

Inserting the price of each item in the vector until user enters 0.

Iterating over the vector for performing the sum operation.

Then after that adding 8% sales tax to the sum.

Printing the output at last.

Final answer:

A C++ program simulates a cash register by adding prices entered by the user, ending with a zero input to calculate and output the total with an added 8% sales tax.

Explanation:

The task is to create a C++ program that acts as a cash register, adding up the prices of items entered by the user. When the user enters a zero, the program calculates the total cost including an 8% sales tax and displays it. Below is an example of how this can be implemented:

#include
#include
using namespace std;
int main() {
   double price, total = 0.0;
   int count = 1;
   cout << fixed << setprecision(2);
   while (true) {
       cout << "Enter the price of item " << count << ": ";
       cin >> price;
       if (price == 0) break;
       total += price;
       count++;
   }
   double salesTax = total * 0.08;
   double finalTotal = total + salesTax;
   cout << "Final total after tax: $" << finalTotal << endl;
   return 0;
}

In this program, we use count to keep track of how many items have been entered and total to keep a running sum. The user is prompted for the price of each item, which is added to the total. If the user enters 0, the loop breaks, and the program calculates and outputs the final total, including the sales tax.

Point out any special purpose programminglanguage and also for what purpose it wasdeveloped.

Answers

Answer: Lisp which is the short for list processing is a special purpose programming language and it was developed for processing strings which is being exploited in the field of artificial intelligence.

Explanation:

Lisp is used for artificial intelligence as it can compute symbolic expressions, so a common lisp which it later came to be known as is used for development of application with artificial intelligence and is being widely used today. Lisp was actually developed in the early 1980s.

True of False - use T or F An interface is compiled into a separate bytecode file (.class).

Answers

Answer:

T

Explanation:

An interface is compiled to a separate bytecode class file.

For example of out application has a class myClass.java and an interface myInterface.java:

class myClass{

   String name;

   int age;

}

interface myInterface{

  public String getName();

  public int getAge();

}

Both of these are compiled to their own respective class files by the compiler,namely, myClass.class and myInterface.class.

Other Questions
easy 20 pointsWhich of the following is correctly punctuated? A. Franklin considered the offer for only a movement before asking, When do we start? B. Franklin considered the offer for only a movement before asking. When do we start? C. Franklin considered the offer for only a movement before asking, When do we start? D. Franklin considered the offer for only a movement before asking. When do we start? What is a hypothesis?a. a report of the findings of scientific experiments b. use of isolated facts to reach a general idea that may explain a phenomenon c. a general statement made to infer a specific conclusion, often in an if. . . then format. d. a tentative statement, based on data, that can be used to guide further observations and experiments Wave Corporation began the current year with a retained earnings balance of $25,000. During the year, the company corrected an error made in the prior year, which was a failure to record depreciation expense of $5,000 on equipment. Also, during the current year, the company earned net income of $15,000 and declared cash dividends of $5,000. Compute the year-end retained earnings balance. Our region has experienced a record drought this year. The water level in the local reservoir has dropped by several feet. To address this problem, Councilman Garcia is proposing a water ban this summer. The ban would limit how often people can water their yards. There are several ways this ban will be effective.This passage would best be included as part of which section of the article?the conclusionthe counterclaimthe introductionthe main body I will make you brainleist Michael's boss tells him to report to work at 4:00 a.m. the next day. Michael is not happy about arriving at work at such an unusual hour, yet he does as he is told. In the context of social influence, his behavior is an example of __________. What is used to support a claim made by a product?A. ExceptionsB. BiasC. EvidenceD. Warnings the difference between government and civics 1. 1:30 p.m. Es la una y media de la maana. Es la una y media de la tarde. Es la una y treinta de la maana. 2. 10:45 a.m. Son las once menos cuarto de la maana. Son las diez menos cuarto de la maana. Son las diez y cuarto de la maana. 3. 7:25 a.m. Son las siete y veinticinco de la tarde. Son las siete y veinticinco de la maana. Son las siete menos veinticinco de la maana. 4. 3:50 p.m. Son las tres y diez de la maana. Son las tres menos diez de la tarde. Son las cuatro menos diez de la tarde. 5. 12:00 a.m. Es la medianoche. Es el medioda. Es la noche. 6. 11:40 p.m. Son las once menos veinte de la noche. Son las once y veinte de la maana. Son las doce menos veinte de la noche. 7. 6:15 p.m. Son las seis y quince de la maana. Son las seis y cuarto de la tarde. Son las seis y cuarto de la maana. 8. 1:55 a.m. Son las dos menos cinco de la maana. Es la una menos cinco de la maana. Es la una y cinco de la tarde. How is the business woman characterized in thepassage?There was a business woman, from near Bath,But, more's the pity, she was a bit deaf;So skilled a clothmaker, that she outdistancedEven the weavers of Ypres and Ghent,In the whole parish there was not a womanWho dared precede her at the almsgiving,And if there did, so furious was she,That she was put out of all charityHer headkerchiefs were of the finest weave,Ten pounds and more they weighed, I do believe,Those that she wore on Sundays on her head.The Canterbury Tales,Geoffrey Chauceras shy and self-consciousas calm and reservedas jealous and vainas generous and kind What was NOWs initial focus issue? Reproduction Employment ERA Self-help Barlow Company manufactures three products: A, B, and C. The selling price, variable costs, and contribution margin for one unit of each product follow: Product A B C Selling price $ 300 $ 400 $ 300 Variable expenses: Direct materials 36 90 45 Other variable expenses 144 110 150 Total variable expenses 180 200 195 Contribution margin $ 120 $ 200 $ 105 Contribution margin ratio 40 % 50 % 35 % The same raw material is used in all three products. Barlow Company has only 4,500 pounds of raw material on hand and will not be able to obtain any more of it for several weeks due to a strike in its suppliers plant. Management is trying to decide which product(s) to concentrate on next week in filling its backlog of orders. The material costs $9 per pound. Required: 1. Compute the amount of contribution margin that will be obtained per pound of material used in each product. you are configuring a firewall to all access to a server hosted in the demilitarized zone of your network. You open IP ports 80, 25, 110, and 143. Assuming that no other ports on the firewall need to configured to provide access, which applications are most likely to be hosted on the server WILL MARK BRAINLIESTPLEASENeed NOW a restraunt owner is going to panel a square portions of the restaurants ceiling. The portion to be paneled has an area of 185 ft^2. The owner plans to use square tin ceiling panels with a side length of 2 ft. What is the first steps in finding ouw whether the owner will be able to use a whole number of panels? What are some of the resources that families and individuals can use to reachtheir financial goals? Why is it important to take stock of these resources whenplanning financial goals?!!! URGENT !!! Built in 1599, the Globe Theatre was home to William Shakespeare and his performing company, The Lord Chamberlains Men. It was a circular amphitheater that stood 3-stories tall and had a diameter of 100 feet. What formula can you use to calculate the distance around the theatre? which of the following is the quotient of the rational expressions shown below x-2/x+3 divided by 2/x Which type of bond joins the COOH group of one molecule to the NH2 of another molecule? A. 1-4 Glycosidic bond B. Ester bond C. Hydrogen bond D. Peptide bond True or False Titanium's corrosion resistance is so strong that even titanium with oxygen impurities does no reduction in corrosion resistance. A person with blood type O would ________. A. lack both antigens A and B on their erythrocytes. B. are universal recipients. C. possess neither anti-A nor anti-B antibodies circulating in their blood plasma. D. possess both A and B on their erythrocytes. Suppose that replacement times for washing machines are normally distributed with a mean of 9.3 years and a standard deviation of 1.1 years. Find the probability that 70 randomly selected washing machines will have a mean replacement time less than 9.1 years. Your answer should be a decimal rounded to the fourth decimal place.