Suppose the class Sub extends the class Sandwich. Which of the following assignments are legal? Sandwich x- new Sandwich0: Sub y new Sub0: (2) y x (3) y new Sandwich0; (4) x new Sub0;

Answers

Answer 1

Assignments (1) and (4) are legal.

Explanation:

- Assignment (1): Sandwich x = new Sandwich(); Sub y = new Sub();
This is legal because we can create a new object of the class Sandwich and assign it to a variable of type Sandwich. Similarly, we can create a new object of the class Sub and assign it to a variable of type Sub.

- Assignment (2): y = x;
This is not legal because we cannot assign a variable of a subclass type (Sub) to a variable of its superclass type (Sandwich) without type casting.

- Assignment (3): y = new Sandwich();
This is not legal because we cannot assign a variable of the superclass type (Sandwich) to a variable of the subclass type (Sub) without type casting.

- Assignment (4): x = new Sub();
This is legal because we can create a new object of the subclass Sub and assign it to a variable of its superclass type Sandwich.

To know more about legal visit -

brainly.com/question/1894269

#SPJ11


Related Questions

Three popular types of ____ are handheld computers, PDAs, smart phones.

Answers

Answer:

portable media players, and digital cameras

Explanation:

Three popular types of mobile devices are handheld computers, PDAs, and smart phones.

What are smart phones?

Smart phones can be defined as hybrid versions of mobile devices that are designed and developed to have more features, so as to enable them run different applications, functions and tasks with the aid of software applications such as web browsers, multimedia player, etc.

In Computer technology, three popular types of mobile devices are handheld computers, PDAs, and smart phones.

Read more on smart phones here: https://brainly.com/question/15867542

#SPJ2

Write the code to input a number and print the square root. Use the absolute value function to make sure that if the user enters a negative number, the program does not crash. Sample Run Enter a number: -16 Sample Output 4.0 Hint: Remember that you will need to import the math module at the beginning of your program.

Answers

Answer:

Program in Java:

import java.lang.Math;

import java.util.Scanner;

public class MyClass {

   public static void main(String args[]) {

     Scanner input = new Scanner(System.in);

     double num;

     System.out.print("Enter any number: ");

     num = input.nextDouble();

     num = Math.abs(num);

     System.out.print("Square root: "+Math.sqrt(num));

   }

}

Explanation:

This line imports the math library

import java.lang.Math;

This line imports the scanner library

import java.util.Scanner;

public class MyClass {

   public static void main(String args[]) {

     Scanner input = new Scanner(System.in);

This line declares num as double

     double num;

This line prompts user for input of number

     System.out.print("Enter any number: ");

This line gets the input from the user

     num = input.nextDouble();

This line calculates the absolute value of the number input by the user

     num = Math.abs(num);

This line calculates and prints the square root of the number inputted

     System.out.print("Square root: "+Math.sqrt(num));

   }

}

Define
operating System
with some examples​

Answers

Answer:

An operating system is system software that manages computer hardware, software resources, and provides common services for computer programs

EXAMPLES:  Microsoft Windows, Apple macOS, Linux, Android and Apple's iOS.

Explanation:

A(n) event is an action taken by the user or a process, such as a user clicking a mouse or pressing a key on a keyboard.

Answers

Answer:

The answer is event

Explanation:

Answer:

event

Explanation:

got it right on edge

Asia pacific and Japanese sales team from cloud kicks have requested separate report folders for each region.The VP of sales needs one place to find the reports and still wants to retain visibility of the reports in each folder. What should a consultant recommended to meet this requirement.

Answers

Answer:

B) Create all new regional folders and move the reports to the respective region folder with viewer access.

Explanation:

Below are the options

A) Create grouped folders, keeping the top region folder sharing settings and limiting the sharing settings for the grouped folders for each region.

B) Create all new regional folders and move the reports to the respective region folder with viewer access.

C) Create all new regional folders and move the reports to the respective region folder with subscribe access.

D) Create subfolders, keeping the top region folder sharing settings and limiting the sharing settings for the subfolders for each region

In order to required reports at one place and also wants to retain the visibility for each folder the consultant should suggest that all new regional folders should be created and afterwards it would be moved to their relevant region folders by involving the viewer access feature so that the VP should access it anytime

Hence, the correct option is B.

Based on the information given, the correct option will be B. Create all new regional folders and move the reports to the respective region folder with viewer access.

From the information given, it was stated that the VP of sales needs one place to find the reports and still wants to retain visibility of the reports in each folder.

Therefore, it's important to create all new regional folders and move the reports to the respective region folder with viewer access.

Learn more about folders on:

https://brainly.com/question/20262915

If the postorder traversal of an expression tree is 8, 2, +, 5, /, what is the preorder traversal?

Answers

Preorder traversing is the process all nodes of a tree by processing the root, then recursively processing all subtrees. Also known as prefix traversal.

What is Tree traversal?In computer science, the practice of visiting (e.g., obtaining, updating, or deleting) each node in a tree data structure precisely once is known as tree traversal, also known as tree search and traversing the tree.

By the sequence in which the nodes are traversed, such traversals are categorized. The ensuing techniques are explained in terms of a binary tree, although they may also be applied to other types of trees.

Iterating over each node in some way is necessary to traverse a tree. Since there are several possible next nodes from a particular node (it is not a linear data structure), certain nodes must be deferred—stored in some form for later visiting—in the case of sequential processing (not parallel).

To learn more about complete binary tree, refer to:

https://brainly.com/question/16644287

#SPJ4

What does Java expect a method to return if it is declared with the void keyword?
A. Null
B. Nothing
C. A zero-length string
D. Zero (0)

Answers

If a method is declared with the void keyword in Java, it is not expected to return anything. Therefore, the answer is B. "Nothing."

Methods that are declared with the void keyword are typically used for performing a specific action or task, such as printing a message to the console or updating a variable, without returning a value. In contrast, methods that return a value have a specific return type, such as int, double, String, or a custom object type.

When a method is called, Java expects the method to perform its defined action or task, but does not expect it to return any value. If a value needs to be returned from the method, it would need to be declared with a non-void return type, and the method would need to explicitly return a value of that type using the return keyword.

To know more about Java visit:

https://brainly.com/question/12978370

#SPJ11

You defined a shoe data type and created an instance.
class shoe:
size = 0
color = 'blue'
type = 'sandal'
myShoe = shoe()
Which statement assigns a value to the type?
type = 'sneaker'
myShoe.type( 'sneaker')
myShoe.type = 'sneaker'
NEXT QUESTION
ASK FOR HELP

Answers

Answer:

myShoe.type = 'sneaker'

Explanation:

type is a field of the class shoe. The myShoe object which is an instance of the class shoe has the field type also.

To assign a value to type filed of the object myShoe, reference the object then the field as such;

   myShoe.type = "sneaker"

You defined a shoe data type and created an instance. The statement that assigns a value to the type is myShoe.type = 'sneaker'. The correct option is C.

What is data in programming?

A variable's data type and the kinds of mathematical, relational, and logical operations that can be performed on it without producing an error are classified as data types in programming.

An attribute of a piece of data called a "data type" instructs a computer system on how to interpret that data's value.

type is one of the class shoe's fields. The field type is also present in the myShoe object, which is an instance of the class shoe.

Reference the object and the field as such in order to assign a value to the type field of the object myShoe;

Therefore, the correct option is C. sneaker" in myShoe.type.

To learn more about data in programming, refer to the link:

https://brainly.com/question/14581918

#SPJ2

can you plz answer me from the photo​

can you plz answer me from the photo

Answers

A. True
B. False
C. True

You are an application developer. You are writing a program to exchange video files through a TCP/IP network. You need to select a transport protocol that will guarantee delivery. Which TCP/IP protocol would you implement that provides this capability? RIP TCP IP TFTP UDP

Answers

Most likely tftp it’s definitely not udp

Determine Due Date and Instrest on Notes
Chot 6 HW EX.06-02 determine the due date and the amount of interest due at maturity on the following dates when calculating interest months assume there are 360 days in a year around indeterminate calculations to four decimal places and run your final answers to the nearest whole dollar

Answers

To determine the due date and amount of interest on a note, we need to know the principal amount, interest rate, and the term of the note in months. Let's go through an example to understand the process.

Let's say we have a note with a principal amount of $5,000, an interest rate of 8%, and a term of 12 months.
1. To find the due date, we start counting from the date the note was issued. In this case, let's assume the note was issued on January 1st. Adding 12 months to this date, the due date would be January 1st of the following year.
2. Now, let's calculate the interest due at maturity. We'll use the formula: Interest = Principal x Rate x Time.

Plugging these values into the formula, we get: Interest = 5,000 x 0.08 x 12 = 4,800.The interest due at maturity is 4,800.Remember, the formula Interest = Principal x Rate x Time is used to calculate the interest amount on a note. The due date is determined by adding the term (in months) to the issue date. Make sure to adjust the interest rate if it's an annual rate and the term is not in years.

To know more about interest visit:

https://brainly.com/question/30393144

#SPJ11

Which practice represents the trait of effective communication

Answers

Answer:

The answer is B. speaking clearly

Explanation:

I hope it's correct sorry if not.

what happens when you get 3 warnings on this site?

Answers

I’m not 100% sure but I think they delete your account or suspend it

what is an error in a program called?

Answers

A software bug is an error, flaw or fault in the design, development, or operation of computer software that causes it to produce an incorrect or unexpected result, or to behave in unintended ways.

Hope this helps have an excellent day!
A softer bug is an error,flaw or fault in the design,development or operation of computer software
Have a great day

What do HIPAA guidelines protect?

Answers

Answer:

They protect patient medical records im pretty sure

Explanation:

What are characteristics of fluent readers? Check all that apply. reading known words automatically pronouncing words correctly reading words as quickly as possible understanding the meanings of the words being read O looking up all unknown words in the text being read

it's A,B,D​

Answers

Answer:

D,A,B hope this is it!!!!!

Answer:

The person above me is correct

Explanation: credit to him

8.if converting scada systems to the internet protocol increases the risk of a hacker taking control of an industrial process, why are companies doing just that?

Answers

Companies are trying to convert SCADA systems to Internet Protocol in order to save money and perform remote maintenance and monitoring.

What is a hacker?

Computer hackers are unauthorized users who gain access to computer systems with the intent of stealing, changing, or destroying data, frequently by installing dangerous malware without your knowledge or consent.

Their deft tactics and in-depth technical knowledge enable them to gain access to information you don't want them to have.

If a SCADA system is not properly supervised, it is vulnerable. These systems are designed to keep up with the latest technological advances.

Companies are attempting to convert SCADA systems to Internet Protocol in order to save money on maintenance and monitoring.

Thus, due to this, companies are converting SCADA systems to IP.

For more details regarding hacker, visit:

https://brainly.com/question/29215738

#SPJ1

Over the last hundred years, how has the reliance of
cars/automobiles change the land use in American cities? Briefly
explain two public policies that encouraged the dependence of
automobiles.

Answers

Over the last hundred years, the reliance on cars/automobiles has significantly transformed land use in American cities. This shift has been influenced by public policies that encouraged automobile dependence.

The advent of automobiles brought about a significant change in land use patterns in American cities. With the increased popularity and availability of cars, cities began to prioritize infrastructure and land use that accommodated automobile travel. Two public policies that played a significant role in encouraging automobile dependence were the construction of highway systems and zoning regulations.

Firstly, the construction of extensive highway systems in the mid-20th century facilitated suburbanization and urban sprawl. These highways provided convenient and efficient transportation, allowing people to live farther away from city centers and commute by car. As a result, land use in American cities shifted towards low-density, automobile-centric suburban developments, characterized by residential subdivisions, shopping centers, and office parks.

Secondly, zoning regulations in many cities were designed to accommodate automobile-oriented development. Single-use zoning, which separated residential, commercial, and industrial areas, often required large parking lots and setback requirements. This encouraged the proliferation of parking spaces and dispersed land use, making car travel more convenient but also contributing to increased traffic congestion and reduced walkability.

In conclusion, the reliance on cars/automobiles over the last century has influenced land use in American cities by promoting suburbanization, urban sprawl, and automobile-oriented development. Public policies such as the construction of highways and zoning regulations have played a significant role in encouraging automobile dependence and shaping the built environment in cities.

Learn more about suburbanization here:

https://brainly.com/question/31445808

#SPJ11

A ___________ variable is used to add up a set of values. fill in the blank

Answers

Answer:

dependent variable -- As it depends on the other variables, changes when they change

The sum variable should be used for adding the set of values.

The following information regarding the sum variable is as follows;

It is the variable i.e. used for adding the values.In this, the values are added so that the final answer could come.In excel, the sum formula is like = sum().

Therefore we can conclude that the sum variable should be used for adding the set of values.

Learn more: brainly.com/question/19585043

Which of the following displays an internal index?
O categories
publish
O tags
O featured image

Answers

Answer:

featured image

Explanation: featured image

Consider the grammar G1: E → TE E' → +TE'| E T → FT' T' → * FT'| E F → (E)| id Generate the input string id + id * id using top-down parsing approach and construct the derivation tree for the input string. Construct a recursive - descent parser for G1. -

Answers

To generate the input string "id + id * id" using top-down parsing approach, we start with the start symbol 'E' and apply the production rules of grammar G1 to derive the string.

Using the grammar G1, we can derive the input string "id + id * id" as follows:

1. E (Apply E → TE)

2. TE (Apply T → FT')

3. FT'E (Apply F → id)

4. idT'E (Apply T' → ε)

5. idE' (Apply E' → +TE')

6. id+TE' (Apply T → FT')

7. id+FT'E' (Apply F → id)

8. id+idT'E' (Apply T' → *FT')

9. id+id*FT'E' (Apply F → id)

10. id+id*idE' (Apply E' → ε)

The resulting derivation tree for the input string "id + id * id" will have the following structure:

          E

    ______|______

   |             |

   T            E'

   |         ____|____

   F       |          |

  _|_      +         TE'

 |   |     |       ___|___

id   T'    id    __|__     |

     |     |    |     |    ε

    ε      *    F    T'

              |    _|_

              id  |   |

                  ε   ε

To construct a recursive-descent parser for grammar G1, we define parsing functions for each non-terminal symbol. Starting with the start symbol 'E', we recursively call the corresponding parsing functions based on the production rules of the grammar. Each parsing function corresponds to a non-terminal symbol and performs the necessary operations to parse the input string.

For example, the parsing function for 'E' would call the parsing function for 'T' and then check for the presence of 'E' prime ('E'). If it exists, it would call the parsing function for 'E' again. Similarly, parsing functions for 'T', 'T' prime ('T''), 'F', and 'E' prime ('E') would be defined and called accordingly.

The recursive-descent parsing approach uses a top-down strategy, where the parsing starts from the start symbol and recursively expands the production rules until the input string is fully recognized or an error is encountered.

Learn more about top-down parsing

brainly.com/question/32883812

#SPJ11

The CIO of an IT company would like to investigate how a software developer’s work experience (in number of years), professional certifications (number of certificates), and knowledge of various computer languages (number of programming languages) contribute to his/her work performance. The work performance is measured on the scale of 1 to 1000 so that the higher one’s score, the better his/her work performance. He collects data from 20 software developers in his company which is provided in the table below.
Copy and paste this data into an Excel file to get started.
Employee ID Years of experience Num of certificates Num of progLang Performance
1 27 3 8 880
2 11 1 2 686
3 6 2 1 681
4 21 3 4 877
5 26 3 4 975
6 21 3 4 902
7 18 3 3 900
8 15 2 5 882
9 14 2 3 775
10 5 1 3 650
11 17 2 5 908
12 14 2 4 687
13 15 3 4 891
14 7 2 3 566
15 5 3 1 959
16 13 2 5 793
17 11 2 4 778
18 31 3 7 975
19 16 2 5 846
20 12 3 6 779
Using Pivot Table on this data, what is the standard deviation for the performance of software developers who have obtained 3 certificates and know 4 programming languages?
Select one:
a. 911.25
b. 61.5
c. 0
d. 4
e. 43.7
What is the response variable in this regression model?
Select one:
a. Employee ID
b. Work experience
c. Professional certifications
d. Performance
e. Knowledge of computer languages
What is the value of R-squared of this regression model?
A. 62.7%
b. 79.2%
c. 8.96%
d. 64.7%
e. 45.4%

Answers

The standard deviation for the performance of software developers who have obtained 3 certificates and know 4 programming languages is 43.7 (option e).

What is the Response Variable?

The response variable in this regression model is the "Performance" (option d).

The value of R-squared for this regression model is 79.2% (option b).

The response variable in this regression model refers to the variable being predicted or explained by the other variables in the model. In this case, the "Performance" of software developers is the response variable, as it is the variable of interest being influenced by the years of experience, certifications, and knowledge of programming languages.

Read more about response variable here:

https://brainly.com/question/30469121

#SPJ4

What is the keyboard shortcut to show formulas in a worksheet (as opposed to the value)? OCTRL+S OCTRL + Z CTRL- There is no shortcut for showing formulas

Answers

CTRL +  (tilde) is a keyboard shortcut to show formulas instead of values in Excel spreadsheets. It can be found in the upper-left corner of most keyboards, below the Escape key or just left of the 1 key.

The keyboard shortcut to show formulas in a worksheet (as opposed to the value) is `CTRL + ~` (tilde).When working with Excel spreadsheets, you might want to display the formulas instead of the values in your cells. This could be done by using the "Show Formulas" button. But, if you're doing this frequently, it's easier to use a keyboard shortcut. To do this, press `CTRL + ~` (tilde) and it will show all of the formulas in your spreadsheet instead of the values.

The tilde symbol, ~, can be found in the upper-left corner of most keyboards. It is usually located below the Escape key or just left of the 1 key. It's worth noting that pressing the `CTRL + ~` (tilde) keyboard shortcut again will switch back to displaying the values.

To know more about Excel spreadsheets Visit:

https://brainly.com/question/10541795

#SPJ11

____ parameters provide a one-way link between actual parameters and formal parameters.

Answers

Answer: Value

Explanation:

Hi there,

I hope you and your family are staying safe and healthy!

Value parameters provide a one-way link between actual parameters and formal parameters.

Happy to help! All the best this semester!

Shad has been finding himself unable to focus lately. Sometimes, he feels a knot in his stomach accompanied by nausea. As a result, he rarely has an appetite and is eating less than he should. These symptoms coincided with Shad being selected for the lead role in the school play, which now adds a new responsibility to an already challenging academic schedule and part-time job. What might be an effective strategy for Shad to manage this stress? Add daily workouts to his schedule, at least 20 minutes each, to increase his energy and reboot his focus on his own health. Assess the amount of time needed to fulfill all his responsibilities and create a schedule to prioritize and organize commitments. Change his options for meals and select more appealing "comfort" foods that will make him enjoy eating again and increase his appetite. Quit the school play so that he can return to a schedule that is more manageable and will cause him less stress and anxiety.

Answers

Answer: change the food he eats to a comfort food so that he eats more

Answer:

The answer to this question is **Assess the amount of time needed to fulfill all his responsibilities and create a schedule to prioritize and organize commitments.

Explanation:

This answer makes sense because Shad wanted the the lead role, so he just needs to organize his other responsibilities and create a schedule that works without being stressed. Time management.

an enterprise plans to start using public cloud service and is considering different wan options. the answers list four options under consideration. which one option has the most issues if the company chooses one cloud provider but then later wants to change to use a different cloud provider instead?

Answers

When an enterprise plans to start using public cloud service and is considering different WAN (Wide Area Network) options, there are a few things to consider if they want to change cloud providers later on. Out of the four options listed, the one that would have the most issues is likely the option that is tightly integrated with the current cloud provider.

If the enterprise chooses a WAN option that is tightly integrated with a specific cloud provider, it means that the network architecture and configurations are specifically designed to work seamlessly with that particular provider's services. If the enterprise decides to switch to a different cloud provider later on, it would likely face compatibility issues and would need to redesign and reconfigure the network to align with the new provider's services.

In other words, the tight integration between the current WAN option and the initial cloud provider would make it more challenging to transition to a different cloud provider smoothly. Therefore, it's important for the enterprise to consider a WAN option that offers flexibility and is not tightly bound to a specific cloud provider to minimize potential issues when switching providers in the future.

Know more about WAN (Wide Area Network) here,

https://brainly.com/question/14122882

#SPJ11

PLEASE HELP ASAP!!!!!!!!

Which option describes wearable technology? A. the incorporation of technology into objects we use regularly B. rugged technology that can withstand the elements without much damage C. computing systems that derive energy from the user's biological processes D. mobile technology that is extremely portable E. extremely small and powerful computing systems

Answers

Answer:

A

Explanation:

Things such as watches and clothes are common items which technology is incorporated to. This includes things implanted in the body. These are all wearble technologies.

Complete the following sentences by choosing the best answer from the drop-down menus.
A_____ Programming Language is a language that physically runs on the website visitor's own computer.
An example of a programming language that is frequently used to develop websites with existing
databases is______
______is an example of a programming language that is supported in all browsers.
A program that physically runs on the web host's computer is called a____ Programming Language.

Answers

A Client-Side Programming Language is a language that physically runs on the website visitor's own computer.

What is an example of the programming language?

An example of a programming language that is frequently used to develop websites with existing databases is PHP.

JavaScript is an example of a programming language that is supported in all browsers.

A program that physically runs on the web host's computer is called a Server-Side Programming Language.

Read more about programming languages here:

https://brainly.com/question/16936315

#SPJ1

Answer:

Complete the following sentences by choosing the best answer from the drop-down menus.

A

✔ Client Side

Programming Language is a language that physically runs on the website visitor’s own computer.

An example of a programming language that is frequently used to develop websites with existing databases is

✔ PHP

.

✔ JavaScript

is an example of a programming language that is supported in all browsers.

A program that physically runs on the web host’s computer is called a

✔ Server Side

Programming Language.

Explanation:

A ping fails when performed from router R1 to directly connected router R2. The network administrator then proceeds to issue the show cdp neighbors command. Why would the network administrator issue this command if the ping failed between the two routers?
a. The network administrator suspects a virus because the ping command did not work.
b. The network administrator wants to verify Layer 2 connectivity.
c. The network administrator wants to verify the IP address configured on router R2.
d. The network administrator wants to determine if connectivity can be established from a non-directly connected network.

Answers

Where a ping fails when performed from router R1 to directly connected router R2. The network administrator then proceeds to issue the show CDP neighbors command. The network administrator would issue this command if the ping failed between the two routers because; "The network wants to verify Layer 2 connectivity." (Option B).

What is Layer 2 connectivity?

The data link layer, sometimes known as layer 2, is the second tier of the seven-layer OSI computer networking paradigm. This layer is the protocol layer that transports data over the physical layer between nodes on a network segment.

Layer 2 of The OSI Model: Data Link Layer offers functional and procedural mechanisms for transferring data across network entities as well as detecting and potentially correcting problems that may arise in the physical layer.

The OSI data connection layer (Layer 2) transports data over a connected physical network. On a computer network, a layer 2 device will transport data to a destination using Media Access Control (MAC) addresses, commonly known as Ethernet addresses.

Learn more about Layer 2 connectivity:
https://brainly.com/question/13484447
#SPJ1

Which of the following would be considered unethical for a programmer to do?

Answers

Answer: Something would be considered unethical for a programmer to do is, Use someone else's code without the original developer's permission.

Explanation: Please give me Brainliest.

Other Questions
What are Earth's ten biomes? A) tundra, taiga, grasslands, deciduous forest, chaparral, desert, desert-scrub, savanna, rainforest, and alpine B) alpine, arctic, savanna, chaparral, desert, dry scrub, deciduous forest, taiga, tundra, and grasslands C) grasslands, desert, desert-scrub, savanna, chaparral, tundra, arctic, alpine, evergreen forest, and deciduous forest D) sahara, alpine, tundra, taiga, desert, desert-scrub, rainforest, deciduolis forest, chaparral, and grasslands Please select the best answer from the choices provided If you want the browser to check if a field is empty when the form is submitted, you can code the ____________________ attribute for the field. Find the general solution to y'' + 5y' - 14y = 0|, Give your answer as y = ... |, in your answer, use c_1| and c_2| to denote arbitrary constants and the independent variable. Enter c_1| as c1 and c_2| as c2. Will mark correct answer brainliest what is the sign of f on the interval -5/9 < x < 2/3? Mr. Naxvip wrote the expression below to represent the number ofpeople in his extended family based on the number of brothers, b, andsisters, s, that he has.b x 3 + 5 - 1If Mr. Naxvip has 5 brothers and 2 sisters, how many total people arein his family? Where was the electric field the strongest when using two round conductors? four friends have been identified as suspects for an unauthorized access into a computer system. they have made statements to the investigating authorities. alice said, "carlos did it." john said, "i did not do it." carlos said, "diana did it." diana said, "carlos lied when he said that i did it." if the authorities know that exactly one is lying, who did it? The price of peanuts increases. At the same time, we see the price of jelly (which is often consumed with peanut butter) rise. How does this affect the market for peanut butter? Hollywood studios typically release movies targeted toward general audiences (G- or PG-rated movies) during the summer when children are out of school. The timing of the movie release pertains to which step of the product development process sixteen years ago, ms. cole purchased a $652,000 insurance policy on her own life and named her son as sole beneficiary. she has paid $40,424 total premiums to keep this policy in force. required: this year, she liquidates the policy for its $50,204 cash surrender value. does she recognize income on the liquidation? now assume that ms. cole is terminally ill. the insurance policy provides that a person with a life expectancy of less than one year can liquidate the policy and receive 80 percent of the death benefit. she does so and receives a $521,600 accelerated death benefit. does she recognize income on the liquidation? Translate into French: "I recently passed my driving license and will be driving a car" we first plot the points to determine the sides. next find the slopes of the three sides. we find that the slope of ab is 4/6 , the slope of ac is -3/2 , and the slope of bc is -5/12 . two lines are perpendicular to one another when the product of their slopes is equal to . thus, we see that ---select--- are perpendicular sides, and abc ---select--- . Explain when the function y=a . b models exponential growth and when it models exponential decay. when you plan the test runs for a program, you should do all but one of the following. which one is it? a.list the expected results for each test run b.list the expected exceptions for each test run c.list the valid entries for each test run d.list the invalid entries and unexpected user actions for each test run in a room there are 10 people, none of whom are older than 60 (ages are given in whole numbers only) but each of whom is at least 1 year old. prove that we can always find two groups of people (with no common person) the sum of whose ages is the same. can 10 be replaced by a smaller number? begin by finding the area under the curve from to , . this area can be written as the definite integral What European knowledge did Jesuit missionaries bring to the Chinese government? The wood used to make furniture is a variable cost to an enterprise that manufactures and sells household furniture. Select one: O True O False Exercise 2 Choose the verb in parentheses that agrees with the subject. Write your choice in the blank. Several materials ____________ good fossils. (makes, make) How did citizenship change for Black people between the period when the Constitution was created and Reconstruction?---------------------------------------------------------------------------------------(A) Black people had citizenship when the Constitution was created, but during Reconstruction, white supremacists made laws that enslaved Black people and prevented them from being citizens.(B) Many Black people were made citizens when the Constitution was written, but Reconstruction allowed all citizens to also have voting rights.(C) Many Black people were enslaved when the Constitution was written, but were freed during Reconstruction, without gaining full citizenship.(D) Many Black people were enslaved and kept from being citizens when the Constitution was written, but the era of Reconstruction gave them citizenship.