The ________ is the main switch station for memory; if the right and left areas are destroyed, the result is widespread amnesia. The ________ is the main switch station for memory; if the right and left areas are destroyed, the result is widespread amnesia. Wernicke's area hypothalamus hippocampus thalamus

Answers

Answer 1

Answer:

The answer is hippocampus.

Explanation:

The ___hippocampus._____ is the main switch station for memory; if the right and left areas are destroyed, the result is widespread amnesia. The __hippocampus.______ is the main switch station for memory; if the right and left areas are destroyed, the result is widespread amnesia.


Related Questions

5.Consider the following code snippet:ArrayList arrList = new ArrayList();for (int i = 0; i < arrList.size(); i++){ arrList.add(i + 3);}What value is stored in the element of the array list at index 0? Think carefully about this.A. 0B. 3C. 6D. None

Answers

Answer:

The answer to this question is the option "D".

Explanation:

In the given question code we use the array list that does not store any value in the index 0, because for adding elements in the list, we use add function. In this function parameter, we pass the value that is "i+3". Which means the value of i is increased by 3. In option A, B and C we do not assign any value in the add function. so, it not correct.  

That's why the correct answer to this question is the option "D".  

Which type of view is created from the following SQL statement? CREATE VIEW balancedue AS SELECT customer#, order#, SUM(quantity*retail) amtdue FROM customers NATURAL JOIN orders NATURAL JOIN orderitems NATURAL JOIN books GROUP BY customer#, order#;

Answers

Answer:

The correct answer to the following statement is a complex view.

Explanation:

Because complex view is the part of the view in which view can be created by one or more tables and in the following statement they are using the CREATE VIEW command for creating view and next to it they are using SELECT and Join command for the multiple views.

So, that's why the following statement is the complex view.

As the design phase of an SDLC begins, programming languages, development tools, and application software needed for the new information system are purchased, installed, and tested to ensure that they work correctly.
A. TRUE
B. FALSE.

Answers

Answer:

FALSE

Explanation:

In the design phase of SDLC  we design the document which are used in the implementation phase. In this phase the SRS document is converted into the logical view structure that holds the whole specification.

Their are following points about Design phase of SDLC

After the analysis phase the designing phase is implemented .In the beginning it does not need programming languages, development tools etc .

So the given statement which is mention in question is FALSE

You start a new job. You want to install some fun software on your laptop and get an error message which indicates that the software is not on the ________________ list so it cannot be installed.

Answers

Answer:

The software is not on the allowed list so it cannot be installed.

Explanation:

This is one of Windows features that allows administrators to prevent their users from installing unwanted software. Your IT or administrator probably wants you to use the laptop for work purposes only. To undo this, you must have the administrator privileges (with admin log in credentials and rights). You can check if you are using the admin access from your laptop. Simply follow the steps below:

1. Click / Press Start Menu at the bottom of your screen.

2. Typed in timedate.cpl and wait for the Date and Time prompt / dialogue box to appear.

3. Click on change date and time settings.

4. If your APPLY button is disabled, therefore, you do not have the admin access or account.  

Second reason, you have used a corrupted installer. This is a normal error for installers that have been downloaded from the internet and copied to a removable media but the copying did not happened correctly. To fix this error, you might want to UNINSTALL and RE INSTALL the software. This time used a complete and uncorrupted installer. To uninstall the software simply go to Control Panel and look for Add / Remove Programs.  

What is a group of statements that exists within a program for the purpose of performing a specific task?"

Answers

Answer:

This is called a "Function"

Explanation:

Consider this data sequence: "3 11 5 5 5 2 4 6 6 7 3 -8". Any value that is the same as the immediately preceding value is considered a CONSECUTIVE DUPLICATE. In this example, there are three such consecutive duplicates: the 2nd and 3rd 5s and the second 6. Note that the last 3 is not a consecutive duplicate because it was preceded by a 7.

Write some code that uses a loop to read such a sequence of non-negative integers , terminated by a negative number. When the code exits the loop it should print the number of consecutive duplicates encountered. In the above case, that value would be 3.

Answers

Answer:

Following is the source code required:

int entry_1 ,entry_2 = -1, consecutive_duplicates = 0;

do {

cin >> entry_1;

if ( entry_2 == -1)

{

entry_2 = entry_1;

}else

{

if ( entry_2  == entry_1 )

consecutive_duplicates++;

else

entry_2  = entry_1;

}

}

while(entry_1 > 0 );

cout << consecutive_duplicates;

Explanation:

Following is the explanation for given code:

3 integers are declared as entry_1, entry_2  and consecutive_duplicates.entry_2 = -1 (it will tell that the integers are non-zero)user will enter the value for entry_1The loop will be applied which will check for the value of entry_2. If entry_2 = -1, the value of entry_1 will be stored in entry_2 else it the value of entry_2 is already equal to entry_1, the integer consecutive_duplicate in increased by one.Now the value of entry_1 is stored in entry_2 , so that next entity might be checked.In the end, while the entry_1 is greater than zero (unless the last (negative)element of array is reached), print the integer consecutive_duplicates.

i hope it will help you!

The final answer to the problem is that the code, when executed, should print the number 3. This represents the number of consecutive duplicates within the given sequence of integers.

In this scenario, we are required to write a piece of code that analyzes a sequence of integers and identifies consecutive duplicates - values that are immediately repeated in the sequence. To accomplish this, we need a loop to read through each number in the sequence and compare it with the previous value. If a number is the same as its predecessor, we increment a counter. We continue this process until we reach a negative number, which is the termination point for the data sequence. The number of duplicates can be tracked using a variable that increments each time a duplicate is found. Python pseudocode for this would initially set a previous number to 'None', compare each new number to the previous one, and if they are the same (and not the first number), increment a duplicates counter. The loop ends when a negative number occurs, and the script returns the value of the duplicates counter as the result.

Given a char variable c that has already been declared, write some code that repeatedly reads a value from standard input into c until at last a 'Y' or 'y' or 'N' or 'n' has been entered.

Answers

Answer:  

The code to this question as follows:  

Code:  

do{ //do-while loop  

cin >> c; //input value from user.  

}while (!(c == 'Y' || c == 'y' || c=='N' || c == 'n')); //check condition.  

Explanation:  

The description of the code as follows:  

In this code, we use a do-while loop. It is an exit control loop. In the loop, we use the char variable that is "c" this variable is used for user input. End of the loop we define the condition that is variable c value is not equal to "y", "Y", "n" and "N".  In the loop, we use OR operator that means if any of the above conditions is match it will terminate the loop.  

Final answer:

A while loop can be used to repeatedly read a char variable from standard input until 'Y', 'y', 'N', or 'n' is entered, utilizing a do-while loop to check the condition after each input.

Explanation:

To repeatedly read a value into a char variable c until 'Y', 'y', 'N', or 'n' is entered, one could use a while loop in the following way:

#include
using namespace std;

do {
   cin >> c;
} while (c != 'Y' && c != 'y' && c != 'N' && c != 'n');

This code snippet uses a do-while loop to ensure that the body is executed at least once before checking the condition. If the character entered is not 'Y', 'y', 'N', or 'n', it repeats the prompt, continuing to read the next standard input into variable c. When one of these specific characters is entered, the loop terminates.

During side show mode, hitting the B key will do which one of these?

A) End the presentation
B) Blank the screen with black screen
C)Move one page back
D) Move to the first page of your presentation

Answers

Answer:

B) Blank the screen with black screen

Explanation:

The answer is letter B. During the slideshow, if you press B in your keyboard, it will display a black screen. When you press W, it will display white screen while when you press B again, you will be directed to a last display slide on the presentation.

The following code accomplishes which of the tasks written below? Assume list is an int array that stores positive int values only.int foo = list[0];for (int j =1 ; j < list.length; j++) if (list[j] > foo) foo = list[j];

Answers

Answer:

The code mention in question will find "Largest Number in list"

Explanation:

In first line of code

first element of array will be move in "foo" variable

then loop will start from 2nd value and ends at last value of array

in next step

2nd value of array compares with 1st value

If 2nd value is greater than 1st then greater value move into "foo" variable.

This process continues till the end of array.

after completion largest element of array will be present in "foo".

You are developing a Website using a GUI editor. You are curious as to whether your pages will look or function any differently after you publish them to the Web. Which of the following is true?This task contains the radio buttons and checkboxes for options. The shortcut keys to perform this task are A to H and alt+1 to alt+9.
A) Most GUI editors make it easy to preview your pages using built-in code validators or validation sites.
B) The WYSIWYG environment displays pages exactly as they will appear and work on the Web.
C) You can proof your pages after you publish them to the Web, make any changes, then republish them.
D) Most GUI editors allow you to easily preview and test your pages in the browser(s) of your choice.

Answers

Answer:

D) Most GUI editors allow you to easily preview and test your pages in the browser(s) of your choice.

Explanation:

A) You would need an additional tool for test with built-in code validators or validation sites.

B) WYSIWYG allows content to be edited in a form that resembles its appearance, not exactly as they will appear and work on the Web

C) It is not convenient to publish pages to the Web,then make change and republish them.

Given the char * variables name1, name2, and name3, write a fragment of code that assigns the largest value to the variable max (assume all three have already been declared and have been assigned values).

Answers

Answer:

The following code as follows:

Code:

max=name1;   //define variable max that holds name1 variable value.

if (strcmp(name2, max)>0)  //if block.

{

   max=name2;  //assign value to max.

}

if (strcmp(name3,max)>0)   //if block.

{

  max=name3; //assign value to max.

}

Explanation:

In the above code, we define a variable that is max. The data type of max variable is the same as variables "name1, name2, and name3" that is "char". In the max variable, we assign the value of the name1 variable and use if block statement two times. In if block, we use strcmp() function that can be defined as:

In first if block we pass two variables in strcmp() function that is "name2 and max" that compare string value. If the name2 variable is greater then max variable value so, the max variable value is change by name2 variable that is "max=name2". In second if block we pass two variables in strcmp() function that is "name3 and max" that compare string value. If the name3 variable is greater then max variable value so, the max variable value is change by name3 variable that is "max=name3".

To implement virtualization, a special type of management software known as a _____ must be installed. It manages access to the CPU, storage devices, network interfaces, and RAM for all VMs running on that system

Answers

Answer:

Vmware

Explanation:

HELP PLS TIME LIMIT HERE
When should you contact your instructor if you experience problems or questions with your online course?

A.After you talk to the lab instructor

B.At the end of the day

C.When you receive an email from the teacher

D.Immediately

Answers

I do it immediately, so it don’t effect my assignments or grades.

Answer:

D. immediately

Explanation:

_____ states the principles and core values that are essential to a set of people and that, therefore, govern these people's behavior.

Answers

Answer:

The anwer is Code of Ethics

Explanation:

Code of Ethics states the principles and core values that are essential to a set of people and that, therefore, govern these people's behavior.

Answer:

Code of ethics

Explanation:

A code of ethic is a group of rules that establish the way in which people should behave according to the values, principles and standards that they think are important. These rules determine the way in which a person will behave as this person will evaluate a course of action in terms of the principles that he/she considers that are right. Because of that, the answer is code of ethics.

In JAVA,
Given:
1-an int variable k,
2-an int array currentMembers that has been declared and initialized,
3-an int variable memberID that has been initialized,
4-and an boolean variable isAMember,
write a code that assigns true to isAMember if the value of memberID can be found in currentMembers, and that assigns false to isAMember otherwise. Use only k, currentMembers, memberID, and isAMember.

Answers

Answer:

The program to this question as follows:

Program:

public class Main //define class main

{

public static void main(String[] args)  //define main method

{

boolean isAMember = false; //define boolean variable isAMember

int currentMembers[]={1,72,36,43,51,61,72,80}; //declare and initialized array.

int memberID=72; //define integer variable memberID.

for(int k = 0; k < currentMembers.length; k++) //loop.

{

if(currentMembers[k] == memberID) //conditional statement.

{

isAMember = true; //assign value true.

break;

}

System.out.print("true"); //print value.

}

}

}

Output:

true

Explanation:

The above java program to this question can be described as:

In java program we define a class that is "Main" inside this class we define a main method in the main method we define variables that are "k, memberID, isAMember, currentMembers". The variable k and memberID is an integer variable that is used in the loop and use for match condition. and currentMembers is an integer array that is declared and initialized. and isAMember is a boolean variable that returns only true or false value.Then we define a (for) loop in this loop we check condition we use if block. In if block, we check that currentMembers array value is equal to memberID. if this condition is true so we assign value true in "isAMember" variable and print its value.

What will be the value of bonus after the following code is executed?

int bonus, sales = 6000;
if (sales < 5000);
bonus = 200;
else if (sales < 7500);
bonus = 500;
else if (sales < 10000);
bonus = 750;
else if (sales < 20000);
bonus = 1000;
else;
bonus = 1250;

A. 200
B. 500
C. 750
D. 1000

Answers

Answer:

Option (B) i.e., 500 is the correct option to the following question.

Explanation:

The following option is correct because here, firstly they defined two integer data type variable i.e., "bonus" and "sales" and assign value to the variable "sales" i.e., 6000 then, the set the if-else if statements to check the "bonus" and pass conditions is if the sales is less than 5000 then bonus is equal to 200 otherwise if the sales is less the 7500 then bonus is equal to 500 otherwise if the sales is less the 10000 then bonus is equal to 750 otherwise if the sales is less the 2000 then bonus is equal to 1000 otherwise bonus is equal to 1250.

So, according to the following conditions sales is less than 7500 because sales is equal to the 6000 that's why the following option is correct.

The variety of theatre introduced in the 1960s that denotes semi-professional or even amateur theatre in the New York/Manhattan area, often in locations such as church basements, YMCAs, and coffeehouses, is commonly known as off-off-Broadway.
a. True.
b. False

Answers

Answer:

The answer is letter A. TRUE

Explanation:

The variety of theatre introduced in the 1960s that denotes semi-professional or even amateur theatre in the New York/Manhattan area, often in locations such as church basements, YMCAs, and coffeehouses, is commonly known as off-off-Broadway.  This statement is true.

The introduction of new information technology has a: A. dampening effect on the discourse of business ethics. B. waterfall effect in raising ever more complex ethical issues. C. beneficial effect for society as a whole, while raising dilemmas for consumers. D. ripple effect raising new ethical, social, and political issues.

Answers

Answer:

The answer is Letter D.

Explanation:

The introduction of new information technology has a ripple effect raising new ethical, social, and political issues. There are five main moral dimensions that tie together ethical, social, and political issues in an information society.

This morning you modified five large data files in your home folder in Linux, and now you want to find and delete the files because you no longer need them. Which of the following commands can you use to list and sort files based on the time they were modified

Answers

Answer:

ls -t

Explanation:

"ls" command in Linux is used very often. It lists the directory contents. The "ls" utility is part of the core utilities and installed in all Linux distributions.

When ls command is used with "-t" , "ls -t" sorts files/directories list by date created or modified.

More advanced version is "ls -lt", where it sorts by date and shows info about directory, size, modified date and time, file or folder name and owner of file and its permission.

Over a TCP connection, suppose host A sends two segments to host B, host B sends an acknowledgement for each segment, the first acknowledgement is lost, but the second acknowledgement arrives before the timer for the first segment expires. True or False.

Answers

Over a TCP connection, suppose host A sends two segments to host B, host B sends an acknowledgement for each segment, the first acknowledgement is lost, but the second acknowledgement arrives before the timer for the first segment expires is True.

True

Explanation:

In network packet loss is considered as connectivity loss. In this scenario host A send two segment to host B and acknowledgement from host B Is awaiting at host A.

Since first acknowledgement is lost it is marked as packet lost. Since in network packet waiting for acknowledgement is keep continues process and waiting or trying to accept acknowledgement for certain period of time, once period limits cross then it is declared as packet loss.

Meanwhile second comes acknowledged is success. For end user assumes second segments comes first before first segment. But any how first segment expires.

Routers: operate at the application layer operate only at the physical layer cannot connect two or more networks that use the same type of cable may also be called TCP/IP gateways operate only at the data link layer.

Answers

Answer:

The correct option to the following question is option (D) may also be called TCP/IP gateways.

Explanation:

Commonly, Internet Protocol routers are referred to as the internet gateways because between the networks the routers use an IP address for routing the packets.

In the TCP/IP structure, the router works at several layers and also the router can select their path for the flow of the data because they know where is the other routers.

You are installing an updated driver for a hardware device on your system. A dialog box displays indicating that Microsoft has digitally signed the driver you are installing. What benefits does driver signing provide? (Select TWO).

Answers

Answer:

It means the driver has been tested by Microsoft, and its an unaltered file.

Explanation:

A signed driver ensures that comes directly from Microsoft, it hasn't been modified by any other group or otherwise would lose the signature,  the driver is associated with a digital certificate that allows Windows to test its authenticity.

Since drivers work at very high-security levels on Windows OS, installing unsigned drivers it's a considerable risk.

Ajax Inc. is one of the customers of a well-known linen manufacturing company. Ajax has not ordered linen in some time, but when it did order in the past it ordered frequenly, and its orders were of the highest monetary value. Under the given circumstances, Ajax's RFM score is most likely
A) 155
B) 511
C) 555
D) 151

Answers

Answer:

The answer is letter B

Explanation:

Under the given's circumstances, Ajax's RFM score is most likely 511.

____________ is group of commands that enable s you to bring data from an access database, from the web, from a text file, from an xml file, and from many other sources, into excel in a manner that lets you transform.

Answers

Answer:

Get External Data

Explanation:

Power Query is a group of commands that enable s you to bring data from an access database, from the web, from a text file, from an XML file, and from many other sources, into Excel in a manner that lets you transform.

The group of commands that enables you to bring data from various sources, such as an Access database, the web, a text file, an XML file, and many others, into Excel in a way that allows you to transform it is called "Power Query".

Power Query is a powerful tool that helps you extract, transform, and load data into Excel, making it easier to work with and analyze.

With Power Query, you can perform tasks like combining multiple data sources, cleaning and shaping data, and creating custom data transformations.

To learn more about database visit:

https://brainly.com/question/6447559

#SPJ4

Tommy is repeating a series of digits in the order in which he heard an experimenter read them. The experimenter is testing the capacity of Tommy's ________ memory. Tommy should be able to repeat about ________ digits correctly.
a. short-term; 4b. short-term; 7c. sensory; 4d. sensory; 7

Answers

Answer:

short-term

7

Explanation:

Short-term memory is the capacity for holding, but not manipulating, a small amount of information in mind in an active, readily available state for a short period of time.

The human brain can only hold about seven pieces of information for less than 30 seconds.

As an example:

Tommy is repeating a series of digits in the order in which he heard an experimenter read them. The experimenter is testing the capacity of Tommy's short term memory. Tommy should be able to repeat about 7 digits correctly.

You need to design a backup strategy. You need to ensure that all servers are backed up every Friday night and a complete copy of all data is available with a single set of media. However, it should take minimal time to restore data. Which of the following would be the ____

Answers

Answer:

Full

Explanation:

You need to design a backup strategy. You need to ensure that all servers are backed up every Friday night and a complete copy of all data is available with a single set of media. However, it should take minimal time to restore data. Which of the following would be the Full .

What is the formula to find the sum of cells a1 a2 and a3

Answers

Answer:

=sum(a1,a2,a3)

Explanation:

starting with the equality sign, followed by the sum function for adding the cells, and then the cells containing the data.

Which of the following characteristics of an e-mail header should cause suspicion?A. Multiple recipientsB. No subject lineC. Unknown Sender

Answers

Final answer:

Suspicion may arise from an e-mail header if there is no subject line, the e-mail has multiple recipients, or it originates from an unknown sender, as these could indicate a spam or a phishing attempt.

Explanation:

In evaluating which characteristics of an e-mail header should cause suspicion, there are several tell-tale signs to consider. An e-mail header that flags suspicion may include characteristics such as a lack of a subject line, which leaves recipients clueless about the content without opening the e-mail, potentially indicating a lack of specificity or that the sender is trying to avoid detection by spam filters. .

Additionally, multiple recipients can be a red flag, especially if the email is sent to recipients en masse without a clear reason. Furthermore, an e-mail from an unknown sender should always be approached with caution, as it can be a common tactic used in phishing attacks or spam. It is essential to critically evaluate these characteristics to ensure your cybersecurity.

Given this method comment, fill in the blank in the method implementation. /* Deposits money into the bank account amount: the amount to deposit */ public _____ deposit(double amount) { balance = balance + amount; }

Answers

Answer:

"void" is the correct answer for the given question.

Explanation:

In the function body the value of balance variable is not return that means we use void return type .The void return type is used when the function does not return any value .

If the function are  int return type that means it return "integer value ".

if the function are  double return type that means it return the "double value" .

The complete implementation of this method is

public void deposit(double amount) // function definition  

{

balance = balance + amount; // statement

}

Developers work together with customers and useras to define requirements and specify what the proposed system will do. If once it is built, the system works according to specification but harms someone physicall or financially, who is responsible?

Answers

Financially would be responsible

Other Questions
Napoleon took many actions in support of Enlightenment ideals, but he also acted in ways that went against thoseprinciples, Place each statement in the correct space.Ruled absolutelySupportive of Enlightenment Ideals Against Enlightenment PrinciplesCrowned himself emperorBuilt schools and universitiesProtected private propertyRestricted freedom of the pressWrote laws guaranteeing civil rights As the human population continues to grow, use technology, and consume resources, they often modify the ecosystems around them. In which of the following ways can humans counteract negative influences they might have on the environment? A. Humans can use public transportation systems. B. Humans can use cleaner alternate energy sources. C. Humans can recycle or reuse materials. D. all of these Why is the homeostasis of glucose important to the entire body and its cells? Reduce each fraction as much as possibleEx) 10/40 Harry's caters to the clothing needs of men, manufacturing two different lines of fashion based on the purchasing power of its customers. One product line caters to the needs of affluent, middle-aged men, and the other line targets younger, up-and-coming professionals. Harry's most likely segments the consumer market based on ________ variables.a. behavioralb. geographicc. demographicd. universale. psychographic What way was Chandragupta leadership was different from Ashoka A New York Times article titled For Runners, Soft Ground Can Be Hard on the Body considered two perspectives on whether runners should stick to hard surfaces or soft surfaces following an injury. One position supported running on soft surfaces to relieve joints that were in recovery from injury. The second position supported running on hard surfaces since soft surfaces can be uneven, which may make worse those injuries a soft surface was intended to help. Suppose we are given sufficient funds to run an experiment to study this topic. With no studies to support either position, which of the following hypotheses would be appropriate? A.The second position makes the more sense, so this should be a one-sided test. In this case, we should form the alternative hypothesis around the first position.B. The first position is more sensible, so this should postpone defining the hypotheses until after we collect data to guide the rest.C. Because there is uncertainty, we should postpone defining the hypotheses until after we collect data to guide the test.D. Because we would be interested in any difference between running on hard and soft surfaces, we should use a two-sided hypothesis test A student standing on a cliff that is a vertical height d = 8.0 m above the level ground throws a stone with velocity v0 = 24 m/s at an angle = 21 below horizontal. The stone moves without air resistance; use a Cartesian coordinate system with the origin at the stone's initial position.Part (a) With what speed, vf in meters per second, does the stone strike the ground 50% Part (b) If the stone had been thrown from the clifftop with the same initial speed and the same angle, but above the horizontal would its impact velocity be different? YesNo Grade Summary 0% 100% Potential In colonial America, immigrants were transported to the new world "on credit" by the captain of the ship, who then sold their services to wealthy colonists who paid their passage. In return, these immigrants worked for a specified period of time and were known as ________ The deaths of Buddy Holly, the Big Bopper, and Ritchie Valens are marked as "the day the music____ Going to the movies cost $9.50 per person. What is the slope of the line that models this situation, if x represents number of people and t represents total cost? After analyzing the data on cab services in Lucitona, the Transport Authority of Lucitona discovered that there was an 85 percent increase in the number of people using cab services on rainy days. In the context of data mining, the Transport Authority of Lucitona discovered a(n) _____.a. affinity patternb. data cluster patternc. sequential patternd. extrapolative pattern White blood cells fight ____________ . In an individual with normally functioning bone marrow, the numbers of WBCs can ____________ within hours, if needed. What is Alfred T Mahans role in promoting imperialism ?Does he represent political,economic, militaristic, or moral imperialism ? Plz explain and help Assume that a family spends 35% of its income on housing, 20% on travel-related expenses, 10% on utilities, 25% on health care, and 5% on miscellaneous items. Demand for which category will be most responsive to a change in price? What is the quotient?-286 ) 457.6 -16 -1.6 1.6 16 Although 5-year-old Kate is not really thirsty, she frequently begins whining for a glass of water about l0 minutes after being put to bed. Her parents would be best advised to _________ Liability comparisons Merideth Harper has invested $25,000 in Southwest Development Company. The firm has recently declared bankruptcy and has $60,000 in unpaid debts. Explain the nature of payments, if any, by Merideth in each of the following situations. a. Southwest Development Company is a sole proprietorship owned by Ms. Harper. b. Southwest Development Company is a 50-50 partnership of Merideth Harper and Christopher Black. c. Southwest Development Company is a corporation. Two billiard balls of equal mass move at right angles and meet at the origin of an xy coordinate system. Initially ball A is moving upward along the y axis at 2.0 m/s and ball B is moving to the right along the x axis with speed 3.7 m/s. After the collision ball B is moving along the positive y axis. a. What is the speed of ball A and B after the collision? b. What is the direction of motion of ball A after the collision? c. What is the total momentum and kinetic energy of the two balls after the collision? scott is riding a bike course that is 50 miles long. So far, he has ridden 6 miles of the course. What percentage of the course has Scott ridden so far?