1. Implement the function dict_intersect, which takes two dictionaries as parameters d1 and d2, and returns a new dictionary which contains only those keys which appear in both d1 and d2, whose values are a tuple of the corresponding values from d1 and d2.

E.g., dict_intersect({'a': 'apple', 'b': 'banana'}, {'b': 'bee', 'c': 'cat'}) should return {'b': ('banana', 'bee')}

2. Implement the function consolidate, which accepts zero or more sequences in the star parameter seqs, and returns a dictionary whose keys consist of values found in those sequences, which in turn map to numbers indicating how many times each value appears across all the sequences.

E.g., consolidate([1,2,3], [1,1,1], [2,4], [1]) should return the dictionary {1: 5, 2: 2, 3: 1, 4: 1}.

Answers

Answer 1

Answer:

1  

def dict_intersect(d1,d2): #create dictionary

  d3={} #dictionaries

  for key1,value1 in d1.items():       #iterate through the loop  

      if key1 in d2:   #checking condition

          d3[key1]=(d1[key1],d2[key1])   #add the items into the dictionary  

  return d 3

print(dict_intersect({'a': 'apple', 'b': 'banana'}, {'b': 'bee', 'c': 'cat'})) #display

2

def consolidate(*l1):  #create consolidate

  d3={} # create dictionary

  for k in l1:       #iterate through the loop

      for number in k:   #iterate through  the loop                               d3[number]=d3.get(number,0)+1   #increment the value

             return d 3 #return

print(consolidate([1,2,3], [1,1,1], [2,4], [1])) #display

Explanation:

1

Following are  the description of program

Create a dictionary i.e"dict_intersect(d1,d2) "   in this dictionary created a dictionary d3 .After that iterated the loop and check the condition .If the condition is true then add the items into the dictionary and return the dictionary d3 .Finally print them that are specified in the given question .

2

Following are  the description of program

Create a dictionary  consolidate inside that created a dictionary "d3" .After that iterated the loop outer as well as inner loop and increment the value of items .Return the d3 dictionary and print the dictionary as specified in the given question .


Related Questions

Perform a bubble sort on the following unsorted list:
3 2 5 6 4 1
In each blank, enter the list after the given iteration. Put one space between each pair of numbers. Do not put commas or any other character in your response besides the numbers and spaces. Do not put a space at the beginning or end of your response.
1. What will the list be after the first iteration of bubble sort?
2. What will the list be after the second iteration of bubble sort?
3. What will the list be after the third iteration of bubble sort?
4. What will the list be after the fourth iteration of bubble sort?
5. What will the list be after the fifth iteration of bubble sort?

Answers

Answer:

3 2 5 6 4 1

2 3 5 4 1 6

2 3 4 1 5 6

2 3 1 4 5 6

2 1 3 4 5 6

1 2 3 4 5 6

Explanation:

After each iteration, one more element at the end of the list is at its final position.

The bubble sort of the unsorted list after one iteration each is:

3 2 5 6 4 12 3 5 4 1 62 3 4 1 5 62 3 1 4 5 6

What is a Bubble Sort?

This refers to the simple sort algorithm that makes a sweep through a list to properly sort elements that are in improper order and loops until the list is sorted.

Hence, because one iteration is needed, there would be a new element added until the end of the list when they are all in their final position and no commas are used.

The complete answer is:

5. 2 1 3 4 5 66. 1 2 3 4 5 6

Read more about bubble sort here:

https://brainly.com/question/14944048

#SPJ2

3X5
0
Problem 12:
Write a function problemi_2(x,y) that prints the sum and product of the
numbers x and y on separate Lines, the sum printing first.
Nam
RAN
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
def problemi_2(x,y):
X es 2
In
y en 5
print()
print("* + y
print("* * y
In
Trac
Fi
Name
In [C

Answers

Answer:

15

Explanation:

cause when you multiply three by five it will give u 15

Which of the following is the best example of a purpose of e-mail?
rapidly create and track project schedules of employees in different locations
easily provide printed documents to multiple people in one location
quickly share information with multiple recipients in several locations
O privately communicate with select participants at a single, common location

Answers

Answer:

The best example of a purpose of email among the options provided is: quickly share information with multiple recipients in several locations.

While each option serves a specific purpose, the ability to quickly share information with multiple recipients in different locations is one of the primary and most commonly used functions of email. Email allows for efficient communication, ensuring that information can be disseminated to multiple individuals simultaneously, regardless of their physical location. It eliminates the need for physical copies or face-to-face interactions, making it an effective tool for communication across distances.

Explanation:

"Write an SQL query that displays the Ssn and Last name of all employees who is a supervisor of a Department Manager"

Answers

Answer:

SELECT Ssn,

             Last_name

 FROM employees

WHERE position = supervisor;

Explanation:

SELECT is an SQL query statement that is used to initiate the display of wanted variables.

The names of the variables often succeed the SELECT statement and they are separated by commas.

FROM is an SQL query statement that indicates the table fro which the selected variables be displayed.

WHERE is used to filter your search and return only rows that meet the criteria.

; signifies the end of a query and calls for an execution.

Write a program that can be used to calculate the federal tax. The tax is calculated as follows: For single people, the standard exemption is $4,000; for married people, the standard exemption is $7,000. A person can also put up to 6% of his or her gross income in a pension plan. The tax rates are as follows: If the taxable income is:

Between $0 and $15,000, the tax rate is 15%.
Between $15,001 and $40,000, the tax is $2,250 plus 25% of the taxable income over $15,000.
Over $40,000, the tax is $8,460 plus 35% of the taxable income over $40,000. Prompt the user to enter the following information:
Marital status
If the marital status is “married,” ask for the number of children under the age of 14
Gross salary (If the marital status is “married” and both spouses have income, enter the combined salary.)
Percentage of gross income contributed to a pension fund Your program must consist of at least the following functions:
Function getData: This function asks the user to enter the relevant data.
Function taxAmount: This function computes and returns the tax owed.

To calculate the taxable income, subtract the sum of the standard exemption, the amount contributed to a pension plan, and the personal exemption, which is $1,500 per person. (Note that if a married couple has two children under the age of 14, then the personal exemption is $1,500 ∗ 4 = $6,000.)

Since your program handles currency, make sure to use a data type that can store decimals with a decimal precision of 2.

Answers

Answer:

?

Explanation:

You can ask for helps on sites meant specifically for coding like cpphelp and stackoverflow

Which of the following statements represents the number of columns in a regular two-dimensional array named values?
A) values[0].length
B) values.length
C) values.length)
D) values[0].length0
E) values.getColumnLength0)

Answers

Answer:

(a) values[0].length

Explanation:

In programming languages such as Java, an array is a collection of data of the same type. For example, a and b below are an example of an array.

a = {5, 6, 7, 9}

b = {{2,3,4}, {3,5,4}, {6,8,5}, {1,4,6}}

But while a is a one-dimensional array, b is a regular two-dimensional array. A two-dimensional array is typically an array of one-dimensional arrays.

Now, a few thing to note about a two-dimensional array:

(i) The number of rows in a 2-dimensional array is given by;

arrayname.length

For example, to get the number of rows in array b above, we simply write;

b.length which will give 4

(ii) The number of columns in a 2-dimensional array is given by;

arrayname[0].length

This is with an assumption that all rows have same number of columns.

To get the number of columns in array b above, we simply write;

b[0].length which will give 3

Therefore, for a regular two-dimensional array named values, the number of columns is represented by: values[0].length

how was this training content covered your task?

Answers

A way to use training content to cover our task is to incorporate relevant information and skills from the training into the task.

How can training content be used?

By incorporating our relevance from training content into task, we  can apply what they have learned in a practical setting. For example, if we  receive training on effective communication skills, they can incorporate those skills into a task that involves communicating with others.

When an individual has received training on project management, they can use the techniques and tools learned during the training to manage a project effectively. Therefore, it can help to reinforce the learning and improve their performance.

Read more about training content

brainly.com/question/942454

#SPJ1


Explain three of the the features of the word processing to document. ​

Answers

Word processing software may be used to create, edit, save, and print documents, among other things. Text within a document may be copied, pasted, moved, and deleted. Text formatting includes font selection, bolding, underlining, and italicizing.

I’m so sorry to say I have a lot to say I don’t

how are a male and female human skeleton both similar and different

Answers

Answer:

Both skeletons are made up of 206 bones. They mainly contain a skull, rib cage, pelvis, and limbs. The main function of both skeletons is the provide support to the body while allowing movement. However, bone mass, density, structure and length differ in a male and female body. Female bones are lighter, and their pelvic cavities are broader to support childbirth, whereas male bones are heavier and sturdier.

Explanation:

What is output by following code?

C=c+2

What is output by following code?C=c+2

Answers

The output of the C++ code is 21.

What is C++?
C++
has changed significantly over time, and modern C++ has object-oriented, generic, and functional features, as well as low-level memory manipulation capabilities. It is always implemented as a compiled language, and various manufacturers, including the Free Software Foundation, LLVM, Microsoft, Intel, Embarcadero, Oracle, and IBM, provide C++ compilers, allowing it to be used on a wide range of systems.

Let first write the question

C=1

sum = 0

while(C<10):

C=C+3

sum=sum + C

print(sum)

Now Focus on

while(C<10):

C=C+3

sum=sum + C

The value of C is initially 1

C=1+3

Sum= 0+4

In second loop the value of C will become 4

c=4+3

sum=4+7

In third loop the value of C will be 7

c=7+3

sum=11+10

so the answer is 11+10=21

To learn more about C ++
https://brainly.com/question/28185875
#SPJ13

define as stored program digital computing system​

Answers

Answer:

stored-program computer is a computer that stores program instructions in electronically or optically accessible memory.

which of the following do you need to do before successfully restoring your windows 11 system using the system image?

Answers

Users of Windows 11 should go to Settings > System > Recovery and select Restart immediately from the menu that appears. Go to Troubleshoot > Advanced Choices > System Image Recovery > See more recovery options in the Choose an option window. System Image Recovery should be chosen.

A window is an opening in a wall, door, roof, or car that lets light and possibly sound and occasionally air pass through. A sash is placed in a frame in the opening of modern windows, which are either glazed or covered in another transparent or translucent material. The sash and frame are also referred to as windows. Numerous glass windows can be opened for ventilation or closed to keep out bad weather. A window's latch or a similar mechanism may be used to lock the window closed or hold it open in various positions. In addition, many modern windows may feature a mesh or screen that keeps insects out when the window is opened. This mesh or screen is frequently composed of aluminium or fibreglass.

Learn more about window here

https://brainly.com/question/28288938

#SPJ4

Which elements of text can be changed using automatic formatting? Check all that apply.
A) smart quotes
B) accidental usage of the Caps Lock key
C) fractions
D) the zoom percentage
E) the addition of special characters ​

Answers

A) smart quote and B) the zoom percentage and E) the addition of special characters

Answer:a, d, e

Explanation:

what device copies system files

Answers

Answer:

directs the entire computer system to carry out every activity, and regulates the

Explanation:

Operating systems try to ensure that consecutive blocks of a file are stored on consecutive disk blocks. Why is doing so very important with magnetic disks? If SSDs were used instead, is doing so still important, or is it irrelevant? Explain why​

Answers

Performance is fast in this scenario where reading the consecutive disk blocks require no major movement of the disk head.

Why is doing so very important with magnetic disks?

Using hard disks or magnetic disks, the OS tries to ensure that when a file is stored it should be stored in the consecutive blocks of the disk in consecutive disk blocks. This is important as the magnetic disk moves with the intention to access the disk. If the magnetic disk moves a lot, then it takes much more time to access the information. The contiguous allocation on consecutive disk blocks makes sure that the blocks of the file are kept contiguously. Thus performance is fast in this scenario where reading the consecutive disk blocks require no major movement of the disk head.

Is it irrelevant?

But for SSDs, it is a different case. As the SSDs have no moving parts and they use flash memory to store the data and provide with improves performance, read/write speed and reliability thus the consecutive disk allocation does not make any difference in case of an SSD.

To know more about magnetic disks, Check out:

https://brainly.com/question/29770065

#SPJ1

URGENT DON'T KNOW THE ANSWER PLS HELP!!
8.5 CODE PRACTICE

I'LL DO BRAINLIEST for whoever gets the right answer because I keep getting a 60%

URGENT DON'T KNOW THE ANSWER PLS HELP!!8.5 CODE PRACTICE I'LL DO BRAINLIEST for whoever gets the right

Answers

Using Python code to input the codes as shown will produce the required output.

What is the code in Python?

Using Python code, here is the input procedure:

taliquotes = [

   "I have never let my schooling interfere with my education.",

   "Get your facts first, and then you can distort them at such as you please.",

   "If you tell the truth, you don't have to remember anything.",

   "The secret of getting ahead is getting started.",

   "Age is an issue of mind over matter. If you don't sing, it doesn't matter."

   "History"

]

# Print the original list

print(taliquotes)

# Sort the list

taliquotes.sort()

# Print the sorted list

print(taliquotes)

# Insert the new quote

taliquotes.insert(4, "Courage is resistance to fear, mastery of fear, not absence of fear")

# Print the list with the new quote

print(taliquotes)

# Remove the first quote

taliquotes.pop(0)

# Print the final list

print(taliquotes)

This code will output:

['I have never let my schooling interfere with my education.', 'Get your facts first, and then you can distort them at such as you please.', "If you tell the truth, you don't have to remember anything.", 'The secret of getting ahead is getting started.', 'Age is an issue of mind over matter. If you don't sing, it doesn't matter.History']

['Age is an issue of mind over matter. If you don't sing, it doesn't matter.History', 'Courage is resistance to fear, mastery of fear, not absence of fear', 'Get your facts first, and then you can distort them at such as you please.', 'I have never let my schooling interfere with my education.', "If you tell the truth, you don't have to remember anything.", 'The secret of getting ahead is getting started.']

['Age is an issue of mind over matter. If you don't sing, it doesn't matter.History', 'Courage is resistance to fear, mastery of fear, not absence of fear', 'Get your facts first, and then you can distort them at such as you please.', 'I have never let my schooling interfere with my education.', "If you tell the truth, you don't have to remember anything.", 'The secret of getting ahead is getting started.']

['Courage is resistance to fear, mastery of fear, not absence of fear', 'Get your facts first, and then you can distort them at such as you please.', "If you tell the truth, you don't have to remember anything.", 'The secret of getting ahead is getting started.', 'Age is an issue of mind over matter. If you don't sing, it doesn't matter.History']

Learn more about Python at: https://brainly.com/question/26497128

#SPJ1

From your finding,conclusion and recommendations can you make on the issue of human rights violations to:Government​

Answers

Answer:
Different recommendations and conclusion can be drawn on human rights violation in government and communities.
Explanation:
1-Foremost thing that government can do is the legislation to control the human rights violation and this law should be applicable on all the people belong to any community. Government also make human rights violation issue a part of their policy so that every government could understand before hand.
2-Communities should run campaign so that people understand their human rights and can complain against such violations.
Human right violations happens all over the world but individuals and government need to work together to stop and eradicate such violations

How to fix "After a recent update to the DuckDuckGo Privacy Essentials Chrome browser extension, Lightning Experience users are reporting encountering the following errors when navigating various pages and records in their Salesforce org:
We can't display this page because your browser blocks cross-domain cookies
We can't display this page because your browser blocks cross-domain cookies, but you can view this page in Salesforce Classic. Click here to open this page in Salesforce Classic"?

Answers

In the salesforce url above, select the Lock icon. After that, select Cookies and then select the Blocked Cookies tab. Allow cookies from salesforce after that. Reloading the page will fix the problem.

"This page cannot be shown because your browser disables cross-domain cookies. Attempt once more using a different compatible browser." The fix is to add salesforce.com, force.com, and visualforce.com to your browser's list of websites that don't accept cookies. The Privacy & Security panel should be chosen. Select the Custom radio option next to Enhanced Tracking Protection. To choose which types of cookies to block, check the box next to Cookies and utilize the drop-down option. Cross-site tracking cookies, which includes social media cookies, are the default setting.

Learn more about browser here-

https://brainly.com/question/28504444

#SPJ4

What is Information Privacy

Answers

Answer:

It is just a way to keep things like your address and I.P safe

Explanation:

Relationship between the collection and dissemination of data, technology and the public expectation of privacy, and the legal and political issues surrounding them. It’s is also known as data privacy or data protection

9. In a 208-volt Y-connected system, what is the voltage drop between any phase wire and the grounded
neutral center tap of the windings?
A. 262 VAC
B. 180 VAC
C. 120 VAC
D. 240 VAC

Answers

The answer is B. 180 VAC

A software or hardware that checks information coming from the Internet and depending on the applied configuration settings either blocks it or allows it to pass through is called: a-Antivirus b-Firewall c-Antispyware d-Malware 2-A device designed to forward data packets between networks is called: Router 3-A computer network service that allows clients to make indirect network connections to other network services is called 4- Which of the following answers list the protocol and port number used by a spam filter

Answers

Answer:

1. Firewall.

2. Router.

3. Proxy.

4. SMTP, 25.

Explanation:

1. A firewall is a network security protocol that monitors and controls inbound and outbound traffic based on set aside security rules.

Generally, a firewall is used to control access to a computer or network, as it creates a barrier between a computer or a network and the internet in order to protect against unauthorized access. It is a security system pre-installed on most computers to essentially inspect data being transmitted to or from a computer.

Furthermore, firewalls are typically bidirectional, it checks all sent and received data and only allow authorized traffic through.

2. A router can be defined as a network device that is designed typically for forwarding data packets between two or more networks based on a well-defined routing protocol.

A routing protocol refers to a set of defined rules or algorithms used by routers to determine the communication paths unto which data should be exchanged between the source router and destination or host device.

Additionally, in order for packets to be sent to a remote destination, these three parameters must be configured on a host.

I. Default gateway.

II. IP address.

III. Subnet mask.

3. A proxy can be defined as a computer network service designed to avail end users (clients) the ability to connect indirectly to other network services. For example, a reverse proxy is a type of server that is placed right in front of other servers such as a web server and it forwards or routes the user's (client) requests to those servers sitting behind it. When properly configured, reverse proxy helps to ensure security, reliability and performance of a network.

4. A spam filter can be defined as a software program designed to process all incoming electronic messages (e-mails) and prevents any unsolicited or unwanted mail (spam) from entering the inbox of a client.

Generally, a spam filter uses SMTP with port number 25 to carry out its services.

SMTP is an acronym for Simple Mail Transfer Protocol and it uses the standard port number of 25 to provide clients with requested services.

write an algorithm to calculate the sum of integer ​

Answers

Answer:

Step 1:Start

Step 2: declare a variable and initialize with ‘0’ to store the sum of the number.

Step 3: take input for the number of numbers to be calculated sum of.

Step 4: Loop through the given range and accept inputs or generate numbers.

Step 5: add the current number according to the loop with the present value of the variable declared in (step 3) and store in the same variable

Step 6: print the value of the variable declared in (step 3) with relevant message.

Step 7: Stop

Explanation:

True or False: An application package is the most expensive alternative

Answers

Answer:True

Explanation: The price of it is more then the original product

write a java program for the following scenario : alex and charlie are playing an online video game initially there are m players in the first level and there are next n levels each level introduce a new player ( along with players from the previous level ) each player has some strength which determines the difficulty of beating this player to pass any level select any available player and beat them. alex has completed the game and beaten the rank strongest player at the entry level now its charlie's turn to play whenever a player is beaten charlie's health decreases by the amount of strength of that player so the initial health of charlie must be greater than or equal to the sum of the strength of players that are beaten throughout the game. charlie does not want to loose to alex so charlie decided to also beat the rank strongest player at each level what is the minimum initial health that charlie needs to start within order to do this.

Answers

Below is a Java program that calculates the minimum initial health Charlie needs to start with in order to beat the rank strongest player at each level, based on the given scenario:

java

public class Game {

   public static int calculateMinInitialHealth(int[] strengths) {

       int n = strengths.length;

       int[] dp = new int[n];

       dp[n-1] = Math.max(0, -strengths[n-1]);

       for (int i = n - 2; i >= 0; i--) {

           dp[i] = Math.max(dp[i + 1] - strengths[i], 0);

       }

       return dp[0] + 1;

   }

   public static void main(String[] args) {

       int[] strengths = {5, 8, 2, 6, 1, 7}; // Example strengths of players at each level

       int minInitialHealth = calculateMinInitialHealth(strengths);

       System.out.println("Minimum initial health for Charlie: " + minInitialHealth);

   }

}

What is the java program?

The calculateMinInitialHealth method takes an array of strengths of players at each level as input.

It uses dynamic programming to calculate the minimum initial health Charlie needs to start with.It starts from the last level and iterates backwards, calculating the minimum health needed to beat the rank strongest player at each level.The minimum health needed at a level is calculated as the maximum of either 0 or the negative value of the strength of the player at that level, added to the health needed to beat the player at the next level.

Lastly, The result is returned as the minimum initial health Charlie needs to start with.

Read more about java program here:

https://brainly.com/question/25458754

#SPJ1

In golf, par represents a standard number of strokes a player needs to complete a hole. Instead of using an absolute score, players can compare their scores on a hole to the par figure. Families can play nine holes of miniature golf at the Family Fun Miniature Golf Park. So that family members can compete fairly, the course provides a different par for each hole based on the player’s age.

Pars by Age and by Hole
Develop the logic for a program that accepts a player’s name, age, and nine-hole score as input. Display the player’s name and score on each of the nine holes, with one of the phrases Over par, Par, or Under par next to each score.

In golf, par represents a standard number of strokes a player needs to complete a hole. Instead of using

Answers

The Logic is given as follows:

//pseudo code

FUNCTION calculatePar(playerName, age, holeScore)

 PARS = [[4,4,4,4,4,4,4,4,4], [3,3,3,3,3,3,3,3,3], [2,2,2,2,2,2,2,2,2]]

 PAR = PARS[age]

 FOR EACH holeScore as score

   IF score < PAR

     DISPLAY playerName + ' score: ' + score + ' Under par'

   ELSE IF score == PAR

     DISPLAY playerName + ' score: ' + score + ' Par'

   ELSE

     DISPLAY playerName + ' score: ' + score + ' Over par'

 END FOR

END FUNCTION

What is a Logic?

Logic is a method of programming that is heavily influenced by formal logic. Any program developed in a logic programming language is a collection of logical phrases representing facts and rules about a specific issue domain.

One of their advantages is that logic programming languages are ideally suited for the quick interpretation of data structures and code to implement highly complex ideas. Because of its concise syntax and logical structure, experienced programmers find the code easy to understand and debug.

Learn more about Logic:
https://brainly.com/question/4692301
#SPJ1

Which of the following is not one of the C++ control structures?
A. if
B. do...while
C. switch
D. break

Answers

Answer: (D) break

Explanation:

"break" is not one of the C++ control structures. It is a keyword that is used to exit a loop or a switch statement.

if/else, do...while, and switch are all control structures in C++. They are used to control the flow of a program.

what is the meaning of Ram?​

Answers

Answer:

Random-Access Memory

Explanation:

used as a short-term memory for computers to place its data for easy access

identify and state the value of hardware components​

Answers

Answer:

Explanation:

Hardware is the most visible part of any information system: the equipment such as computers, scanners and printers that is used to capture data, transform it and present it to the user as output. Although we will focus mainly on the personal

Write a program using for loop (use days of the week as a sequence) to ask the user to enter the number of miles ran for each day of the week.

How many miles for Mon?

How many miles for Tues?

.................................

Count and display the number of days the user

1) ran less than 5 miles.

2) Ran between 5 and 10 miles ==> inclusive

3) Ran over 10 miles

Answers

Answer:

Explanation: ll[

Match the different aspects of the marketing information systems to the scenarios that portray them.
1. Marketing intelligence system
2. Internal reporting system
3. Marketing model
4. Marketing research system

A. includes number of orders received, stock holdings, and sales invoices
B. MIS collects, regulates, and analyzes data for marketing plan
C. gathers information such as demographic data
D. includes time series, sales model, and linear programming

Answers

Answer:

1. Marketing intelligence system - C

2. Internal reporting system - A

3. Marketing model - D

4. Marketing research system - B

Explanation:

Other Questions
Eduardo obtained credit to buy a car. He has failed to make any payments over the pastfew months. What is MOST likely to happen?A. He will make one giant payment to cover the past months without penalty,B.The lender will take possession of his car.C. The amount of debt owed will decrease the longer he waits to make a payment.D.Nothing-people are allowed to miss several payments without consequences. This question contains four arguments of three sentences each. Choose the set in which the thirdstatement is a logically derived conclusion of the first two.A. All earthquakes cause havoc. Some landslides cause havoc. Some earthquakes are landslides.B. All glass things are transparent. Some curios are glass things. Some curious are transparentC. All clay objects are brittle. All XY are clay objects. Some brittle are XY.D. No criminal is a patriot. Ram is not a patriot. Ram is a criminal. What is a synonym for reject?a. discardb. excerptc. expectd. exact Which text best matches Harrys purpose?a pamphlet called "A Beginners Guide to Fishing"a blog called "Catching the Biggest Fish in the Sea"a magazine article called "How to Catch Fish in a Lake Near You"a magazine article called "The Best Fishing Equipment of Year" if the coefficient of kinetic friction between tires and dry pavement is 0.92, what is the shortest distance in which you can stop an automobile by locking the brakes when traveling at 25.2 m/sm/s ? Dr. bang is a psychologist who devised a test to measure introversion and extraversion. most likely, dr. bang is a ____ A gas is contained in a vertical cylinder fitted with a piston. Atmospheric pressure outside is 1bar, and the piston area is 10in 2 . What is the mass of the piston if the gas pressure inside is 17lbf fin 2 absolute? Assume standard gravitational acceleration. What is the area of the polygon Is it possible to create zero waste annotation? In how many ways 4 books can be chosen from 8 different books and be arranged in 4 spaces on a bookshelf? Which of the following is a simple sentence?Susan did a dance whenever she scored a goal.Martin pumped his fists in the air because hed made the winning touchdownLorenzo skipped around the bases after he hit a home run.Alma celebrated her basket with a wide smile. Ongoing pattern of ethical misconduct represents this % in a strong-learning ethics culture:O 30%O 17%O 55%O 9% evaluate the answer 12 (-5/4) Miguel's parents drove him to a track meet that was 305 km away from the school. It took them 3 hours, which included a 30 minute break for breakfast. What was their average speed?A.101.7 km/hB.915 km/C.122 km/hD.275 km/h Do you think human activities is responsible for global warming Which of the following politicians did not support a policy of dtente with the Soviets? on may 5, johnson plumbing receives a phone call from a customer needing a new water heater and schedules a service visit for may 7. on may 7, johnson installs the new water heater. the customer pays for services on may 10. using cash-basis accounting, on which date should johnson record service revenue? Raphael and Martina are engaged and are planning to travel to Las Vegas during the 2021 Christmas season and get married around the end of the year. In 2021, Raphael expects to earn $45,000 and Martina expects to earn $15,000. Their employers have deducted the appropriate amount of withholding from their paychecks throughout the year. Neither Raphael nor Martina has any itemized deductions. They are trying to decide whether they should get married on December 31, 2021, or on January 1, 2022. What do you recommend? Use the appropriate Tax Tables. Please help i'm being timed! (max points)Write an essay in complete sentences; was manifest destiny a positive or negative event? Choose a position and defend it. Sarah wants to know which brand of nail polish lasts the longest without chipping. She buys 4 types of nail polish Essie (which she normally uses,) Butter, OPI, and Sally Hansen. Every Sunday for 4 weeks she paints her nails with a different brand of polish and records how many days she lasts before she gets her first chip. She makes sure to use the same bottom coat and top coat with each type of polish, and she makes sure to do the same weekly routine each week so that her nails arent getting treated more roughly different weeks.