Question 5 (1 point)

Natasha has carpal tunnel syndrome and has some trouble typing without her wrists and hands becoming swollen and painful. What type of keyboard should she invest in?

Question 5 options:

gaming keyboard


virtual keyboard


ergonomic keyboard


wireless keyboard

Question 6 (1 point)
If William types his name on two typewriters and on one his name appears wider, what kind of spacing does that typewriter have?

Question 6 options:

proportional spacing


monospacing


QWERTY spacing


automatic spacing

Answers

Answer 1

Answer: Gaming keyboard

Explanation: They're more tactile, durable, and faster. At the same time, some gamers appreciate the smaller footprint, portability, and lower price points of the membrane keyboards. Still, others want the best of both in a hybrid.

Question 5 (1 Point) Natasha Has Carpal Tunnel Syndrome And Has Some Trouble Typing Without Her Wrists
Answer 2

She should invest in Gaming keyboard because they're more tactile, durable, and faster.

What are the advantage of gaming keyboards?

At the same time, some gamers appreciate the smaller footprint, portability, and lower price points of the membrane keyboards. Still, others want the best of both in a hybrid.

A typewriter is a mechanical machine that types words on a piece of paper with ink. They were used in former times when printing was not invented. The typewriter is like the current keyboards, but it types of paper, not on computers.

Android keyboards are the keyboard that is used in computers. They have alphabetic keys which are pressed to type on an electronic device connected to them.

Therefore, She should invest in Gaming keyboard because they're more tactile, durable, and faster.

Learn more about Gaming keyboard on:

https://brainly.com/question/29834226

#SPJ2


Related Questions

Drag the tiles to the correct boxes to complete the pairs.

Match each story-boarding technique with its appropriate description.

hierarchical
linear
webbed
wheel

The order of page navigation is inconsequential.
The flow of information is sequential.
The technique requires navigating back to the main page.
The technique orders content from generic to specific topics.

Answers

Answer: I think this is it...

Drag the tiles to the correct boxes to complete the pairs.Match each story-boarding technique with its

Answer:

See below

Explanation:

The order of page navigationis inconsequential. --> webbed
The flow of informationis sequential. --> linear
The technique orders contentfrom generic to specific topics. --> wheel
The technique orders content fromgeneric to specific topics. --> hierarchical

Which of the following options shows the correct code to increase a player’s lives by an amount equal to a variable called hits?

A.
lives == lives + hits

B.
hits == lives + hits

C.
lives = lives + hits

D.
lives + hits = lives

Answers

The answer is C.

The line lives = lives + hits increments a player's lives by an amount equat to hits.

the answer to the problem is C

Game design!

Your cousin Finlay doesn't think that games with a single action would you say to convince him otherwise? (like only clicking the mouse or only pressing the spacebar) can be successful. He says they're too simplistic to be popular. What would you say to convince him otherwise?

Answers

I think that simple games like that can be popular because they don’t require much effort, and they are still efficient and entertaining even though it’s so simple. Other games require a lot of action and simple games, like for example, a clicker game cause a lot less stress and pressure.
Games like these can be successful, for example cats and soup is a game that I see people playing, it involves the cats making soup and you selling it, with selling it you can upgrade your food. Candy Crush would also be another game that is successful, all you need to do is line the candies and you get points. A lot of people like games like these because they don’t involve you going out into the wild and finding stuff to upgrade your characters like in Genshin Impact, and it’s not difficult to understand how the game works. I hope this helped, if it didn’t sorry.

what is the full form of ICT?​

Answers

Information and communications technology

Answer:

Information and communication technology

hope this helps

brainliest appreciated

good luck! have a nice day!

what is the full form of ICT?

All of the data in a digital book (letters, punctuation, spaces, etc) are stored and processed in a computer as binary. Break down how this works (hint: Ascii) . Explain in three or more sentences: Please Answer ASAP, Brainiest for Best and most In detail answer!!!!!

Answers

Can I have the Brainiest pls pls pls

Which device would help someone train for a marathon?

Drone
Navigation system
Smart watch
VR headset

Answers

i think a smart watch because it can help track you steps and it can tell you how many calories and fat you burn.
i hope this is correct and i hope it helps

I think Smart watches will be good as it will track your breathing, heartbeat, and steps. VR head set will not make you go so far, drones can look at the track you are running but it is not helping you run, and i don’t know about navigation systems.

Write a small program that takes in two numbers from the user. Using an if statement and an else statement, compare them and tell the user which is the bigger number. Also, consider what to output if the numbers are the same.

Test your program in REPL.it, and then copy it to your Coding Log.

(If you’re up for an extra challenge, try extending the program to accept three numbers and find the biggest number!)

And only give me a good answer not some random letters plz. ty

Answers

Answer:

4. Conditionals

4.1. The modulus operator

The modulus operator works on integers (and integer expressions) and yields the remainder when the first operand is divided by the second. In Python, the modulus operator is a percent sign (%). The syntax is the same as for other operators:

>>> quotient = 7 / 3

>>> print quotient

2

>>> remainder = 7 % 3

>>> print remainder

1

So 7 divided by 3 is 2 with 1 left over.

The modulus operator turns out to be surprisingly useful. For example, you can check whether one number is divisible by another—if x % y is zero, then x is divisible by y.

Also, you can extract the right-most digit or digits from a number. For example, x % 10 yields the right-most digit of x (in base 10). Similarly x % 100 yields the last two digits.

4.2. Boolean values and expressions

The Python type for storing true and false values is called bool, named after the British mathematician, George Boole. George Boole created Boolean algebra, which is the basis of all modern computer arithmetic.

There are only two boolean values: True and False. Capitalization is important, since true and false are not boolean values.

>>> type(True)

<type 'bool'>

>>> type(true)

Traceback (most recent call last):

 File "<stdin>", line 1, in <module>

NameError: name 'true' is not defined

A boolean expression is an expression that evaluates to a boolean value. The operator == compares two values and produces a boolean value:

>>> 5 == 5

True

>>> 5 == 6

False

In the first statement, the two operands are equal, so the expression evaluates to True; in the second statement, 5 is not equal to 6, so we get False.

The == operator is one of the comparison operators; the others are:

x != y               # x is not equal to y

x > y                # x is greater than y

x < y                # x is less than y

x >= y               # x is greater than or equal to y

x <= y               # x is less than or equal to y

Although these operations are probably familiar to you, the Python symbols are different from the mathematical symbols. A common error is to use a single equal sign (=) instead of a double equal sign (==). Remember that = is an assignment operator and == is a comparison operator. Also, there is no such thing as =< or =>.

4.3. Logical operators

There are three logical operators: and, or, and not. The semantics (meaning) of these operators is similar to their meaning in English. For example, x > 0 and x < 10 is true only if x is greater than 0 and less than 10.

n % 2 == 0 or n % 3 == 0 is true if either of the conditions is true, that is, if the number is divisible by 2 or 3.

Finally, the not operator negates a boolean expression, so not(x > y) is true if (x > y) is false, that is, if x is less than or equal to y.

4.4. Conditional execution

In order to write useful programs, we almost always need the ability to check conditions and change the behavior of the program accordingly. Conditional statements give us this ability. The simplest form is the ** if statement**:

if x > 0:

   print "x is positive"

The boolean expression after the if statement is called the condition. If it is true, then the indented statement gets executed. If not, nothing happens.

The syntax for an if statement looks like this:

if BOOLEAN EXPRESSION:

   STATEMENTS

As with the function definition from last chapter and other compound statements, the if statement consists of a header and a body. The header begins with the keyword if followed by a boolean expression and ends with a colon (:).

The indented statements that follow are called a block. The first unindented statement marks the end of the block. A statement block inside a compound statement is called the body of the statement.

Each of the statements inside the body are executed in order if the boolean expression evaluates to True. The entire block is skipped if the boolean expression evaluates to False.

There is no limit on the number of statements that can appear in the body of an if statement, but there has to be at least one. Occasionally, it is useful to have a body with no statements (usually as a place keeper for code you haven’t written yet). In that case, you can use the pass statement, which does nothing.

if True:          # This is always true

   pass          # so this is always executed, but it does nothing

PYTHON 3


PART 1


Given the following list of the first 20 elements on the periodic table of elements:


elements20 = ['Hydrogen', 'Helium', 'Lithium', 'Beryllium', 'Boron', 'Carbon', 'Nitrogen', 'Oxygen', 'Fluorine', 'Neon', 'Sodium', 'Magnesium', 'Aluminum', 'Silicon', 'Phosphorus', 'Sulfur', 'Chlorine', 'Argon', 'Potassium', 'Calcium']


Print the list

Go through (traverse) the list item by item and do the following:

Print the atomic number - element name for any element that starts with an 'H' or an 'N'. For example 1 - Hydrogen would be printed for the first element.

(Hint: How does the index number compare to the atomic number?)

Print the list in alphabetical order (ascending)

Print the list in reverse alphabetical order (descending)

Go through (traverse) the list item by item and do the following: (HINT: Be careful of the order you go!)

Remove any elements that start with the letter 'C'

Print the resulting list with the 3 'C' elements removed.

PART 2


For this little program you will create a list of numbers and then perform some actions on it.


Ask the user to enter 2 digit positive numbers repeatedly until they enter a -1. Make sure that they only enter positive 2-digit numbers.

Display the list of numbers, count, total, maximum, minimum and average of the numbers after the user enters -1.

Display the sorted list of numbers.

Define and call a function that will display the median of the list of numbers. It will take the list as a parameter and return the median value. (You will need to consider if the number of numbers is odd or even.)

The output should look something like this:

PYTHON 3PART 1Given the following list of the first 20 elements on the periodic table of elements:elements20

Answers

Answer:

c

Explanation:

agree i go with c btw i took test

In a minimum of 250 words, discuss the technological problems that can occur when consumers emphasize on speed over security.

Answers

When consumers prioritize speed over security, several technological problems can arise, leading to potential risks and vulnerabilities. While speed is undoubtedly important for a seamless and efficient user experience, neglecting security measures can have severe consequences. Here are some of the technological problems that can occur when consumers emphasize speed over security:

1. Vulnerabilities and Breaches: Emphasizing speed often means sacrificing robust security measures. This can lead to vulnerabilities in software, applications, or systems that attackers can exploit. Without adequate security measures, data breaches become more likely, exposing sensitive information such as personal data, financial records, or trade secrets. The aftermath of a breach can be detrimental, including reputational damage, legal consequences, and financial losses.

2. Malware and Phishing Attacks: When speed takes precedence, consumers may overlook potential malware or phishing attacks. By rushing through security checks or bypassing cautionary measures, they inadvertently expose themselves to malicious software or fraudulent schemes. These attacks can compromise personal information, hijack devices, or gain unauthorized access to networks, resulting in financial losses and privacy violations.

3. Inadequate Authentication and Authorization: Speed-centric approaches might lead to weak or simplified authentication and authorization mechanisms. For instance, consumers may choose easy-to-guess passwords or reuse them across multiple platforms, making it easier for attackers to gain unauthorized access. Additionally, authorization processes may be rushed, granting excessive privileges or overlooking necessary access controls, creating opportunities for unauthorized users to exploit system vulnerabilities.

4. Neglected Updates and Patches: Prioritizing speed often means neglecting regular updates and patches for software and systems. By delaying or avoiding updates, consumers miss out on critical security fixes and vulnerability patches. Hackers actively exploit known vulnerabilities, and without timely updates, devices and systems remain exposed to these threats, making them easy targets.

5. Lack of Secure Development Practices: When speed becomes the primary concern, secure development practices might take a backseat. Security testing, code reviews, and quality assurance measures may be rushed or ignored, leading to the inclusion of vulnerabilities in the software or application itself. These vulnerabilities can be exploited by attackers to gain unauthorized access or execute malicious activities.

To mitigate these problems, it is essential to strike a balance between speed and security. Consumers should prioritize security measures such as using strong passwords, enabling multi-factor authentication, regularly updating software, and being cautious of suspicious links or emails. Service providers and developers must also prioritize security in their products and services by implementing secure coding practices, conducting thorough security assessments, and promptly addressing vulnerabilities. Ultimately, a comprehensive approach that values both speed and security is crucial for maintaining a safe and efficient technological ecosystem.

Explanation:

--> used brainly simplify :D

Consumers prioritizing speed over security can lead to several technological problems. This includes vulnerabilities and breaches where attackers can exploit weaknesses in software or systems. Malware and phishing attacks become more likely when security measures are overlooked. Weak or simplified authentication and authorization methods can make it easier for unauthorized users to gain access. Neglecting updates and patches leaves devices and systems vulnerable to known threats. Lastly, rushing through secure development practices may result in the inclusion of vulnerabilities in the software itself. To address these issues, consumers should use strong passwords, update their software regularly, and be cautious of suspicious links or emails. Service providers and developers should prioritize security by conducting thorough security assessments and promptly addressing vulnerabilities. Striking a balance between speed and security is crucial for a safe and efficient technological environment.

Question 8 of 10 Which of these is an example of your external influences?
a Peers
b Values
c Emotions
d Thoughts

Answers

Answer:

peers

Explanation:

values emotions and thoughts are all internal influences

Most likely your peers

When the prompt function is used in JavaScript, _____ appears.

A.
an error message

B.
a pop-up box

C.
a data warning

D.
a password request

Answers

Answer:

B

Explanation:

instructs the browser to display a dialog with an optional message prompting the user to input some text, and to wait until the user either submits the text or cancels the dialog

A pop up box to let you know the Java script is there and active

Did the ANSI developed the A series, B series, or the Arch series?​

Answers

Answer:

ANSI developed the B series.

Explanation:

Change Unit. An ANSI B piece of paper measures 279 × 432 mm or 11 × 17 inches. ANSI B is part of the American National Standards Institute series, with an aspect ratio of 1:1.5455. ANSI B is also known as 'Ledger' or 'Tabloid'.

Why isn't my brainly post being answered?

Answers

Try deleting then reposting, it may not always pop up in new questions, I will have a look at the question anyway.

Sometimes they don’t pop up on the feed try reposting again or possibly updating the app if you can. Or it may be an issue within the question itself like if it is worded correctly.
Hope this helps!

List the different computer industries, and what they do.
(Like the part makers, people who assemble it and stuff not the companies)

Answers

Answer:

There are several different industries that are involved in the production and use of computers. These industries include:

Hardware manufacturers: These companies design and produce the physical components of computers, such as the motherboard, processor, memory, storage, and other peripherals.Software developers: These companies create the operating systems, applications, and other programs that run on computers.System integrators: These companies assemble and configure computers, often using components from multiple manufacturers, and sell them to consumers or businesses.Service providers: These companies provide support and maintenance services for computers, including repair, installation, and training.Data centers: These companies operate large facilities that host and manage the data and computing resources of other companies.Internet service providers: These companies provide access to the internet for businesses and consumers.Cloud computing providers: These companies offer computing services, such as storage, networking, and software, over the internet.Consulting firms: These companies provide advice and expertise on the use of computers and technology for business and organizational goals.

Answer:

Hardware Manufacturers

Software Developers

System Integrators

Service Providers

Data Providers

ISP

Cloud Computing Providers

Consulting Firms

Explanation:

It is in order..

A large company has extensive downtown office space with many conference rooms. To lower their electric bill, the company has installed a new system that automatically turns off the heat and lights in a conference room when no one is in the room. What is the simplest explanation for how the system works?

A camera in each room is connected to the security desk. When the officer on duty sees that a room is empty, they turn off the heat and lights in that room.

A small robotic device on wheels knows the building layout. It roams the offices, peeking into each conference room to see if anyone is using it. If not, the robot turns off the lights and heat.

A sensor detects and reports on movement in the room. If there is no movement for a few minutes, the system assumes the room is empty and turns off the heat and lights.

Every hour, the system emits a loud sound in each room. Pressing a large red button in the middle of the table turns off the sound in that room. If nobody does so within 30 seconds, the system turns off the heat and lights.

Answers

The simplest explanation for how the system works is option C: a sensor detects and reports on movement in the conference room. If there is no movement for a few minutes, the system assumes the room is empty and turns off the heat and lights.

What is the office space about?

The system that automatically turns off the heat and lights in a conference room when no one is in the room is commonly referred to as an occupancy sensor. An occupancy sensor uses various technologies, such as infrared or ultrasonic, to detect the presence or absence of people in a room.

Therefore, Once the sensor detects that no one is in the conference room, it sends a signal to the control system, which then turns off the heat and lights. When someone enters the room again, the sensor detects their presence and sends a signal to turn the heat and lights back on. This system is designed to save energy by ensuring that heating and lighting are only used when needed.

Learn more about office space from

https://brainly.com/question/28885269

#SPJ1

Properly worn safety belts help prevent
passengers from hindering the driver in any
sudden emergency maneuvers. True or False

Answers

Answer:

True

Explanation:

This one was a bit tricky because I've never heard that as a feature, but it is true that they could be of help.

The statement that Properly worn safety belts help prevent passengers from hindering the driver in any sudden emergency maneuvers is; True

Seat belts are always advised to be worn by both passengers and drivers so that in case of any accident or sudden emergency, neither the passengers nor driver are ejected out of the car which would be worse.

With reference to the statement above, it is clear that a passenger wearing a seat belt properly would prevent hindering of the driver in a sudden emergency maneuver because the chances of the passenger being ejected or flying in the direction of the driver is unlikely.

Read more on importance a safety seat belt at;https://brainly.com/question/10950550

Riley receives an email containing several grammatical errors with a link to sign a petition. Which of the following strategies should he use to make sure the email is trustworthy? (5 points) Evaluate source credibility. Fact check. Listen to his gut. Look for authenticity.

Answers

The Answer:

Explanation:

He should evaluate the source credibility.

The first person gets the brainiest!!!
Match the areas seen on the presentation program’s interface with their uses.

A. Placeholder

B. Speaker Note

C. Slide Master

D. Theme


1. default template for any new presentation

2. predefined appearance of a slide

3.used to insert the choice of items on a slide

4. guidelines that assist in delivering the presentation

Where is my Plato/ Edmentum at???

Answers

Answer:

1A

2D

3C

4B

Explanation:

:)

1 is A
2 is D
3 is C
and
4 is B

Please help me with this

Please help me with this

Answers

Answer:

restart the computer! if that doesnt work, try going to audio settings and looking around for anything out of place.

Explanation:

Don’t worry, this happens to me very often. Delete all your tabs and any files that are open, and then restart. Hope this helps :)

C programming 3.26 LAB: Leap year
A year in the modern Gregorian Calendar consists of 365 days. In reality, the earth takes longer to rotate around the sun. To account for the difference in time, every 4 years, a leap year takes place. A leap year is when a year has 366 days: An extra day, February 29th. The requirements for a given year to be a leap year are:

1) The year must be divisible by 4

2) If the year is a century year (1700, 1800, etc.), the year must be evenly divisible by 400; therefore, both 1700 and 1800 are not leap years

Some example leap years are 1600, 1712, and 2016.

Write a program that takes in a year and determines whether that year is a leap year.

Ex: If the input is 1712, the output is:

1712 - leap year

Answers

Answer. 2 is right go for it
You could do this a few ways. The easiest way that I would probably do without thinking much would be:
if year mod 100 equals 0
Check if year mod 400 equals 0 (if true, leap year, if not, not a leap year)

And if year mod 100 doesn’t equal 0
Check if year mod 4 equals 0 (if true, leap year, if not, not a leap year)

Sorry if this is a bit janky, if you need any further explanation please let me know.

Bloxburg Build can anyone help me

Answers

Om I would love to helpppp friend me- keabbykelp
ouuu i love bloxburg

Tonya is creating a program that will allow the user to input their work address. Which kind of variable should Tonya use for this?

A.
a syntax variable

B.
a float variable

C.
a string variable

D.
an alphabetic variable

Answers

Answer:

B.

a float variable is the answer

Explanation:

becouse it is float variable

A string variable is what Tonya should use.

Which of these libraries do you use to create and manage multi-dimensional arrays?

1 Turtle
2 Random
3 Python standard library
4 Numpy

Answers

from a library thats what the answer is

I’m pretty sure python but I’d double check if I was you

What does processing mean?
A. a computer is making sense of input and doing a task with it
B. a user is acting
C. the computer is recharging
D. software is engaging

Answers

Answer:

Explanation:

B i'm pretty sure

Answer: A.a computer is making sense of input and doing a task with it

What is this?

Cam and Follower
Lead Screw
Bevel Gears
Rack and Pinion

We have a test on this in 10 minutes and we get this time to finish studying but I have NO IDEA WHAT THIS IS. Please help :D

What is this?Cam and FollowerLead ScrewBevel GearsRack and PinionWe have a test on this in 10 minutes

Answers

Answer:

It looks like a Lead Screw

answer: it looks like the thing u punch wholes with (i frogot what its called)

what is Error Code: 232011

Answers

Answer:

Try logging out and clearing your cache maybe that will work :/

Explanation:

Which of these might be an example of an advertiser's target group?


A.People who have no access to media

B.people the advertisers know nothing about

C. People who watch a variety of TV shows

D. People who live in the same region of the country

Answers

It is b because someone who doesn’t know about that thing there gonna think it is cool and they would most likely buy it

An example of an advertiser's target group that "people the advertisers know nothing about". which is the correct answer would be option (B).

What is Advertiser?

A corporation, organization, or individual who pays for advertising space or time to deliver a convincing commercial or message to the public is known as an advertiser. It is derived from the Latin word "annunciare", which means to announce or make known certain news.

Advertising is the technique of displaying advertisements. Advertisers use advertising to increase the consumption of their products or services by creating a "brand," which equates the name of the product or picture with particular traits in the minds of customers. Political parties, interest groups, religious organizations, and government agencies are examples of advertisers who can spend money to market other aspects of a product or service to the customer.

Thus, the example of an advertiser's target group that "people the advertisers know nothing about"

Hence, the correct answer would be option (B).

To learn more about the advertisements click here:

https://brainly.com/question/3163475

#SPJ5

Please answer the question on engineering process

Please answer the question on engineering process

Answers

Answer: A

Explanation: If you don't Identify the problem the computer will act up and you will not be able to fix it if you don't identify the problem.

answer: a
explanation:

How do the text feature help on the text?

Answers

Answer:

Text features help you locate important information in a text. Knowing the purpose of the text feature helps you decide at which text feature to look when you want to understand your text better. Organized by purpose, the chart identifies text features and how they help the reader.

Explanation:

Here is your answer
How do the text feature help on the text?

Click to review the online content. Then answer the question(s) below, using complete sentences. Scroll down to view additional questions.
Online Content: Site 1

What is a 401 (k) retirement plan?

Answers

Explanation:-

A 401(k) Plan is a defined-contribution retirement account which allows employees to save a portion of their salary in a tax-advantaged manner. The money earned in a 401(k) Plan is not taxed until after the employee retires, at which time their income will typically be lower than during their working years.

In the United States, a 401(k) plan is an employer-sponsored defined-contribution pension account defined in subsection 401(k) of the Internal Revenue Code. Employee funding comes directly off their paycheck and may be matched by the employer. There are two main types corresponding to the same distinction in an Individual Retirement Account; variously referred to as traditional vs. Roth, or tax-deferred vs. tax exempt, or EET vs. TEE. For both types profits in the account are never taxed. For tax exempt accounts contributions and withdrawals have no impact on income tax. For tax deferred accounts contributions may be deducted from taxable income and withdrawals are added to taxable income. There are limits to contributions, rules governing withdrawals and possible penalties.

hope it helped!!

A 401 (k) retirement plan, refers to that, A defined contribution retirement account that allows employees to save a portion of their salary in a tax-advantaged manner.

What is an employee?

A worker or manager who works for a business, group, or community is referred to as an employee. The organization's personnel consists of these people. There are various types of employees, but in general, any individual engaged by an employer to do a specific task in exchange for remuneration is considered an employee.

The term  401 (k) retirement plan, refers to that, A feature That was allowing the employee to elect to contribute a portion of the employee's wages to an individual account under the plan. The underlying plan can be a profit-sharing, stock bonus, pre-ERISA money purchase pension, or a rural cooperative plan.

Therefore, By The  401 (k) retirement plan, A qualified plan, and the features will be there in it.

Learn more about employees here:

https://brainly.com/question/10369837

#SPJ2

Other Questions
Which of these is not an example of good practice when differentiating phonological awareness instruction? MAKE CONNECTIONS Compare Figure 31.5 with Figure 13.6. In terms of haploidy versus diploidy, how do the life cycles of fungi and humans differ? A square room has a floor area of 25 square feet. the height of the room is 6 feet. what is the area of 1 wall If 4y-4=16then y= ? Company A's for 2018 had $45721.94M in Sales, $36443.35M Cost of Goods Sold. The Account Receivable was $5979,65M. Finally, the inventory and Accounts Payable were $2365.23M and $13739,69M respectively. The company increases sales by 29% however keeping the same inventory Applying the percentage of Sales Method, what would be the new CCC NOTE: Provide your answer with 2 decimals. If your computation is 35.3778, you must answer 35.38 a sinusoidal wave travels along a stretched string. a particle on the string has a maximum velocity of 1.20 m/s and a maximum acceleration of 230 m/s2 . Write a function that returns the average `petalLength` for each of the flower species. The returned type should be a dictionary. My poem :) please rateIf i ever fall in doubtkiss me and remind me ,why we fell in love.If the wings of my blissful heartlose their will to fly , Take me in your arms And show me there is more.Carry meDon't leave me alone .Forever is a long journeyAnd there , where we belong .Carry me , in your heartIf the burden weighs you down , At least carry me in your thoughts .Carry me , my love .Because I will carry you Until life tells me , no more.I hope you like it I'm reading a poem called, "the road" by helene johnson and i'm having trouble with finding the meaning of each sentence or line of it.ah, little road all whirry in the breeze, a leaping clay hill lost among the trees,the bleeding note of rapture streaming thrushcaught in a drowsy hushand stretched out in a single singing line of dusky. Which area on the illustration represents the largest reservoir of nitrogen on earth?. These types of parents give their child food when the child is anxious rather than hungry, and comfort the child when the child is tired rather than anxious.effective parentsineffective parentsconfused parentssynchronous parents One example of non-Mendelian inheritance is uniparental inheritance. Choose the definition of uniparental inheritance. One parent transmits all genetic information to all offspring. One parent transmits all genetic material to only half of the offspring. Two parents transmit combined genetic information to all offspring. Two parents transmit combined genetic information to half of their offspring. Select the examples of genetic material that are uniparentally inherited in sexually reproducing eukaryotes. nuclear DNA lysosome DNA mitochondrial DNA plastid DNA Find, for the string bbaabaabbbaa and the grammar: S-> aB | bA A -> a | aS | bAA B -> b | bS | aBB a) left most derivation b) right most derivation c) parse tree 50 POINTS PLS HELP!!! A food inspector examines 16 jars of a certain brand of jam to determine the percent of foreign impurities. The following data were recorded:2.4 2.3 3.1 2.2 2.3 1.2 1.0 2.41.7 1.1 4.2 1.9 1.7 3.6 1.6 2.3Using the normal approximation to the binomial distribution, perform a sign test at the 0.05 level of significance to test the null hypothesis that the median percent of impurities in this brand of jam is 25% against the alternative that the median percent of impurities is not 25% find the period, phase shift, and amplitude of each function. Graph at least one period of each function. y = sin (2x ) Y - cos (3x ) Discuss the nature and merits of data response questions in life sciences safety in your community. You may use examples to illustrate your answer. 3.3 As a responsible citizen, give TWO ways in which you should dispose of food you no longer want to eat or which has expired? Give reasons for your answer. 11 Prove that the only subsets of a normed vector space V that are both open and closed are and V. The initial step of the six-step problem-solving model is to: A. Explore alternatives B. Develop an approach. C. Identify the problem. D. Clarify values.