c define a function calculatepriority() that takes one integer parameter as the project tasks to be completed, and returns the project's priority as an integer. the project's priority is returned as follows: if a task's count is more than 95, priority is 3. if a task's count is between 20 and 95 inclusive, priority is 2. otherwise, priority is 1

Answers

Answer 1

Using the knowledge in computational language in C++ it is possible to write a code that define a function calculatepriority() that takes one integer parameter as the project tasks to be completed.

Writting the code:

#include<iostream>

using namespace std;

int CalculatePriority(int n)aaa

{

if(n <= 35)

return 1;

else if(n <= 96)

return 2;

else

return 3;

}

int main()

{

int taskCount;

cin>>taskCount;

cout<<CalculatePriority(taskCount);

return 0;

}

How do you find the factorial return of a number?

Factorial of a positive integer (number) is the sum of multiplication of all the integers smaller than that positive integer. For example, factorial of 5 is 5 * 4 * 3 * 2 * 1 which equals to 120.

See more about the C++ at brainly.com/question/30032807

#SPJ1

C Define A Function Calculatepriority() That Takes One Integer Parameter As The Project Tasks To Be Completed,

Related Questions

The epa requires spray guns used in the automotive refinishing process to have transfer efficiency of at least

Answers

The epa requires spray guns used in the automotive refinishing process to have transfer efficiency of at least  65 percent transfer efficiency.

What is the transfer efficiency

EPA lacks transfer efficiency requirement for auto refinishing spray guns. The EPA regulates auto refinishing emissions and impact with rules. NESHAP regulates paint stripping and coating operations for air pollutants.

This rule limits VOCs and HAPs emissions in automotive refinishing. When it comes to reducing overspray and minimizing wasted paint or coating material, transfer efficiency is crucial. "More efficiency, less waste with higher transfer rate."

Learn more about transfer efficiency  from

https://brainly.com/question/29355652

#SPJ1

12.2 question 3 please help

Instructions

Write a method swap_values that has three parameters: dcn, key1, and key2. The method should take the value in the dictionary dcn stored with a key of key1 and swap it with the value stored with a key of key2. For example, the following call to the method
positions = {"C": "Anja", "PF": "Jiang", "SF": "Micah", "PG": "Devi", "SG": "Maria"}
swap_values(positions, "C", "PF")
should change the dictionary positions so it is now the following:
{'C': 'Jiang', 'PF': 'Anja', 'SF': 'Micah', 'PG': 'Devi', 'SG': 'Maria'}

Answers

Answer:

def swap_values(dcn, key1, key2):

   temp = dcn[key1] # store the value of key1 temporarily

   dcn[key1] = dcn[key2] # set the value of key1 to the value of key2

   dcn[key2] = temp # set the value of key2 to the temporary value

positions = {"C": "Anja", "PF": "Jiang", "SF": "Micah", "PG": "Devi", "SG": "Maria"}

print("Initial dictionary: ")

print(positions)

swap_values(positions, "C", "PF")

print("Modified dictionary: ")

print(positions)

Explanation:

What is the best pokemon game?

Answers

Answer:

all of them

Explanation:

Answer:

i had the most fun playing omega ruby

Explanation:

working with the tkinter(python) library



make the window you create always appear on top of other windows. You can do this with lift() or root.attributes('-topmost', ...), but this does not apply to full-screen windows. What can i do?

Answers

To make a tkinter window always appear on top of other windows, including full-screen windows, you must use the wm_attributes method with the topmost attribute set to True.

How can I make a tkinter window always appear on top of other windows?

By using the wm_attributes method in tkinter and setting the topmost attribute to True, you can ensure that your tkinter window stays on top of other windows, even when they are in full-screen mode.

This attribute allows you to maintain the window's visibility and prominence regardless of the current state of other windows on your screen.

Read more about python

brainly.com/question/26497128

#SPJ1

If x=5 and y=3 will this condition execute? if(x > y)
A. yes
B. no

Answers

Yes
Because the x bigger than the y
A. yes

because 5 > 3 is a true value, therefore if(True) will execute

Id like for you to write it as a regular paper. Put yourself in Bill's shoes. You are starting a business at home, any
ess. What technology will you need to work from home or have a business from home? What do you need to ope
0.100

Answers

For a home-based business, Bill will need a reliable internet connection, a computer or laptop, communication tools, and business software and applications to ensure productivity and connectivity.

What are the advantages of haveing these equipment?

Reliable Internet Connection

A high-speed and reliable internet connection is crucial for conducting business activities online, such as communication, research, and accessing cloud-based services. Bill should ensure he has a suitable internet plan and equipment to meet his business needs.

Computer or Laptop

Having a reliable computer or laptop is fundamental for various business tasks, including creating documents, managing finances, and communicating with clients. Bill should consider the processing power, storage capacity, and software requirements based on his specific business requirements.

Communication Tools

Efficient communication is vital for a home-based business. Bill should consider utilizing tools like email, instant messaging platforms, and video conferencing software to communicate with clients, collaborators, and suppliers. This ensures seamless communication and maintains professional connections.

Learn more about working from home:
https://brainly.com/question/29107751
#SPJ1

Convert (3ABC) 16 to decimal number systam ​

Answers

I’m not sure about this and please give me some poitns because I need help

Linette works in software development. She usually starts her day by meeting with the project manager to discuss the overall progress of the software. After that, she holds a meeting with the team of developers to hand out work based on upcoming deadlines and then goes on to help with overall development problems. Linette tries to end each day by sending an encouraging email to her team to remind them how appreciated they are. What is MOST likely Linette's job title?

A. Project Manager
B. Systems Designer
C. Lead Developer
D. Quality Assurance Specialist

Answers

Answer:

C

Explanation:

Lead developer.

In JAVA with comments: Consider an array of integers. Write the pseudocode for either the selection sort, insertion sort, or bubble sort algorithm. Include loop invariants in your pseudocode.

Answers

Here's a Java pseudocode implementation of the selection sort algorithm with comments and loop invariants:

```java

// Selection Sort Algorithm

public void selectionSort(int[] arr) {

   int n = arr.length;

   for (int i = 0; i < n - 1; i++) {

       int minIndex = i;

       // Loop invariant: arr[minIndex] is the minimum element in arr[i..n-1]

       for (int j = i + 1; j < n; j++) {

           if (arr[j] < arr[minIndex]) {

               minIndex = j;

           }

       }

       // Swap the minimum element with the first element

       int temp = arr[minIndex];

       arr[minIndex] = arr[i];

       arr[i] = temp;

   }

}

```The selection sort algorithm repeatedly selects the minimum element from the unsorted part of the array and swaps it with the first element of the unsorted part.

The outer loop (line 6) iterates from the first element to the second-to-last element, while the inner loop (line 9) searches for the minimum element.

The loop invariant in line 10 states that `arr[minIndex]` is always the minimum element in the unsorted part of the array. After each iteration of the outer loop, the invariant is maintained.

The swap operation in lines 14-16 exchanges the minimum element with the first element of the unsorted part, effectively expanding the sorted portion of the array.

This process continues until the entire array is sorted.

Remember, this pseudocode can be directly translated into Java code, replacing the comments with the appropriate syntax.

For more such questions on pseudocode,click on

https://brainly.com/question/24953880

#SPJ8

Which of the following parts apply when delivering an indirect bad news message? Select all that apply.

Question 2 options:

Opening with a buffer statement


Being direct with news


Explaining the situation


Inserting stories and important anecdotes


Keeping details to a minimum


Providing alternatives

Answers

The parts that apply when delivering an indirect bad news message are:

Opening with a buffer statement

Explaining the situation

Keeping details to a minimum

Providing alternatives.

When delivering an indirect bad news message, the following parts apply:

Opening with a buffer statement: Start the message with a neutral or positive statement that prepares the recipient for the upcoming news. This helps soften the impact and reduces defensiveness.Explaining the situation: Provide a clear and concise explanation of the circumstances or reasons behind the bad news. This helps the recipient understand the context and rationale.Keeping details to a minimum: While it is important to provide necessary information, it is also crucial to avoid overwhelming the recipient with excessive details. Focus on the key points to maintain clarity and avoid confusion.Providing alternatives: Offer alternative solutions or options to mitigate the impact of the bad news. This shows empathy and provides the recipient with potential avenues for resolution or improvement.

The parts that do not apply in delivering an indirect bad news message are:

Being direct with news: Indirect bad news messages typically involve delivering the news subtly rather than being direct.Inserting stories and important anecdotes: Including stories or anecdotes may not be suitable for an indirect bad news message as it can distract from the main message and dilute its impact.

Therefore, the applicable parts for delivering an indirect bad news message are opening with a buffer statement, explaining the situation, keeping details to a minimum, and providing alternatives.

For more such question on bad news message

https://brainly.com/question/22473511

#SPJ8

I am studying Entrepreneurial Studies. At least two paragraphs, Please. Why is the knowledge of basic Excel skills crucial for success in the workplace or businesses within your field of study? How could this knowledge be applied in your chosen or future career field? Provide two examples. In replies to peers, consider the commonalities and differences you see in how this knowledge is applied across career fields and explain how a lack of working knowledge in Excel could negatively impact the business. THANK YOU

Answers

Answer:

knowledge is the Becki's of our brien of close because of importent that skills of the knowledge is the very importent of future for a men that skills is the vary impo

An __________ hard drive is a hard disk drive just like the one inside your, where you can store any kind of file.

Answers

An external hard drive is a hard disk drive just like the one inside your computer, where you can store any kind of file.

These drives come in various sizes, ranging from small portable drives that can fit in your pocket to larger desktop-sized drives with higher storage capacities. They often offer greater storage capacity than what is available internally in laptops or desktop computers, making them useful for backups, archiving data, or expanding storage capacity.

Overall, external hard drives are a convenient and flexible solution for expanding storage capacity and ensuring the safety and accessibility of your files.

Write a function named replaceSubstring. The function should accept three string object arguments entered by the user. We want to look at the first string, and every time we say the second string, we want to replace it with the third. For example, suppose the three arguments have the following values: 1: "the dog jumped over the fence" 2: "the" 3: "that" With these three arguments, the function would return a string object with the value "that dog jumped over that fence". Demonstrate the function in a complete program. That means you have to write the main that uses this.

Answers

Answer:

public class Main{

public static void main(String[] args) {

 System.out.println(replaceSubstring("the dog jumped over the fence", "the", "that"));

}

public static String replaceSubstring(String s1, String s2, String s3){

    return s1.replace(s2, s3);

}

}

Explanation:

*The code is in Java.

Create function called replaceSubstring that takes three parameters s1, s2, and s3

Use the replace function to replace the s2 with s3 in s1, then return the new string

In the main:

Call the replaceSubstring function with the given strings and print the result

Here are some instructions in English. Translate each of them into the Simple Machine language.
a. LOAD register 3 with the hex value 56.
b. ROTATE register 5 three bits to the right.
c. JUMP to the instruction at location F3 if the contents of register 7 are equal to the contents of register 0.
d. AND the contents of register A with the contents of register 5 and leave the result in register 0.

Answers

Answer:

a. LOAD register 3 with the hex value 56

2356

b. ROTATE register 5 three bits to the right.

A503

c. JUMP to the instruction at location F3 if the contents of register 7 are equal to the contents of register 0

B7F3

d. AND the contents of register A with the contents of register 5 and leave the result in register 0

80A5

Explanation:

To translate the English instructions to Machine language we have to consider Appendix C of A Simple Machine Language sheet.

a. LOAD register 3 with the hex value 56

The OP code for LOAD is:

2

Operand is:

RXY

Description is:

LOAD the register R with the bit pattern XY.

In a.

3 represents R

56 represents XY

Now following this we can join OP and Operand together to translate a.

2356

b. ROTATE register 5 three bits to the right

The OP code for ROTATE is:

A

Operand is:

R0X

Description is:

ROTATE the bit pattern in register R one bit to the right X times. Each time place the  bit that started at the low-order end at the high-order end

In b.

5 represents R

three represents X

Now following this we can join OP and Operand together to translate b.

A503

c. JUMP to the instruction at location F3 if the contents of register 7 are equal to the contents of register 0.

The OP code for JUMP is:

B

Operand is:

RXY

Description is:

JUMP to the instruction located in the memory cell at address XY if the bit pattern in  register R is equal to the bit pattern in register number 0.

In c.

7 represents R register

F3 represents XY

Now following this we can join OP and Operand together to translate c.

B7F3

d. AND the contents of register A with the contents of register 5 and leave the result in register 0.

The OP code for AND is:

8

Operand is:

RST

Description is:

AND the bit patterns in registers S and T and place the result in register R

In d.

A represents register S

5 represents register T

0 represents register R

Now following this we can join OP and Operand together to translate d.

80A5

Which of the following statements is true of an encrypted file

Answers

it doesnt show the statements?

in most operating systems what is running application called?

Answers

Answer:

I believe it is just a task. Since there exists(on windows) the Task Manager application, where you can stop any running task, I think that they are called tasks

Explanation:

In most operating systems, a running application is typically referred to as a process. A process is an instance of a program that is being executed by the operating system. It represents the execution of a set of instructions and includes the program code, data, and resources required for its execution.

Each process has its own virtual address space, which contains the program's code, variables, and dynamically allocated memory. The operating system manages and schedules these processes, allocating system resources such as CPU time, memory, and input/output devices to ensure their proper execution.

The operating system provides various mechanisms to manage processes, such as process creation, termination, scheduling, and inter-process communication.

Learn more about operating systems here:

brainly.com/question/33924668

#SPJ6

b. Read in the data from the hours.csv file and call it “hours”. Make a histogram of the variable hours_studying. (Include the code to generate the histogram and the histogram itself in your lab report.) Comment on the symmetry or skew of the histogram.
c. Use the t.test() function that your used in lab to test the hypotheses to answer the question if this sample indicates a significant change in the number of hours spent studying. (Include your
R code and the output from t.test() in your lab report.)
i. What is the value of the test statistic?
ii. What is the p-value?
iii. Are the results significant at the α = 0. 05 level?
d. Write a conclusion for this test in APA format (as illustrated in lecture and lab).

Answers

After performing a one-sample t-test, it was determined that the test statistic held a value of t = 6.3775 (d.f.=63). The p-value calculated to be 1.128e-08, a figure insignificantly beneath the critical level of 0.05.

How to explain the Statistics

This establishes that the resulting data holds significance, as confirmed by the α=0.05 criterion given that the p-value is inferior toward the stated limit.

The average weekly study time for the students in question resulted in M = 14.18 hours; this signifies statistical variance when contrasted with sigma distribution variable values equating to SD = 5.10 (t(63) = 6.38, p < .001, 95% CI [12.95, 16.39]). Consequently, the null hypothesis cannot be sustained and must therefore be rejected.

Learn more about statistic on

https://brainly.com/question/15525560

#SPJ1

Explain Newtown 3rd law.

gur-krcz-siq​

Answers

Every action has an equal and opposite reaction.

Which of the following is true about strings?
They cannot be stored to a variable
An input (unless otherwise specified) will be stored as a string
They do not let the user type in letters, numbers and words
They are used for arithmetic calculations

Answers

Answer:

Your answer is option C, or the third option.

They do not let the user type in letters, numbers, and words.

Explanation:

Strings are defined as a sequence of characters literal, constant, or variable. These sequences are like an array of data or list of code that represents a structure. Formally in a language, this includes a finite(limited) set of symbols derived from an alphabet. These characters are generallu given a maximum of one byte of data each character. In longer languages like japanese, chinese, or korean, they exceed the 256 character limit of an 8 bit byte per character encoding because of the complexity of the logogram(character representing a morpheme((which is the simpliest morphological(form or structure) unit of language with meaning)) character with 8 bit (1 byte, these are units of data) refers to cpu(central processing unit) which is the main part of a computer that processes instructions, and sends signals.

Define a function below, count_over_100, which takes a list of numbers as an argument. Complete the function to count how many of the numbers in the list are greater than 100. The recommended approach for this: (1) create a variable to hold the current count and initialize it to zero, (2) use a for loop to process each element of the list, adding one to your current count if it fits the criteria, (3) return the count at the end.

Answers

Answer:

In Python:

def count_over_100(mylist):

   kount = 0

   for i in range(len(mylist)):

       if mylist[i] > 100:

           kount+=1

   return kount

Explanation:

This defines the function

def count_over_100(mylist):

(1) This initializes kount to 0

   kount = 0

(2) This iterates through the loop

   for i in range(len(mylist)):

If current list element is greater tha 100, kount is incremented by 1

       if mylist[i] > 100:

           kount+=1

This returns kount

   return kount

Capgemini was placed as LEADERS in Everest Intelligent Automation in Business Processes (IABP) Peak matrix 2020 report. Which among these were also placed as leaders? Atos, Cognizant, Accenture, Infosys, Wipro?​

Answers

There are  lot of new innovation in Intelligent automation. The options that were among these were also placed as leaders are cognizant, Accenture, Wipro.

The 'Leaders' in Everest Group's PEAK Matrix assessments are simply known to be firms that has shown great and unique innovation and transition management in their work while improving technological strength via proprietary solutions, partnerships, etc.

Intelligent automation (IA) is simply known to be the integration of robotics with other different parts from multiple growing technologies.

Conclusively, Leaders are selected based on firms that has building technologies capabilities, robust client training program etc.

Learn more  Intelligent Automation about:

https://brainly.com/question/25757825

Question 41
What is an another name of Personal Computer?
A OMicro-Computer
BOPrivate Computer
CODistinctive Computer
DOIndividual Computer

Answers

A personal computer, also known as a micro-computer, is a type of computer designed for individual use by a single person. Option A

It is a general-purpose computer that is meant to be used by an individual for various tasks, such as word processing, web browsing, gaming, and multimedia consumption. Personal computers are widely used by individuals in homes, offices, and educational institutions.

Option B, "Private Computer," is not a commonly used term to refer to a personal computer. The term "private" does not accurately describe the nature or purpose of a personal computer.

Option C, "Distinctive Computer," is not an appropriate term to refer to a personal computer. The term "distinctive" does not convey the common characteristics or usage of personal computers.

Option D, "Individual Computer," is not a commonly used term to refer to a personal computer. While the term "individual" implies that it is meant for individual use, the term "computer" alone is sufficient to describe the device.

Therefore, the most accurate and commonly used term to refer to a personal computer is A. Micro-Computer. This term highlights the small size and individual-focused nature of these computers. Option A

For more such questions micro-computer visit:

https://brainly.com/question/26497473

#SPJ11

write algorithm to determine a student final grade and indicate whether it passing or failing the final grade is calculate as the average of four marks

Answers

This approach makes the assumption that the marks have already been entered and are being saved in a list or array. If not, you will need to provide input statements to collect the user's marks.

How do you determine whether a learner has passed or failed an algorithm?

Let's say the passing score in Microsoft Excel is 70. And the student's grades are a B4. Afterward, type the following formula in cell C4: =IF(B470,"FAIL","PASS"). Accordingly, insert the word FAIL in cell B4 if the score in B4 is less than 70, otherwise/otherwise enter the wordPASS.

1. Set sum to zero

2. FOR i = 0 to 3

3. input symbols [i]

4. SET marks[i] = marks + sum

5. END WITH

SET average = total / 4.

7. Set the final grade to the average.

PRINT "Passing" + final_grade IF final_grade >= 50.

10. ELSE

11. PRINT "Failing" followed by the grade

12. END IF

To know more about array visit:-

https://brainly.com/question/13107940

#SPJ9

A static main( ) ___.
a. can not be included within a programmer-defined class
b. can declare and create objects
c. can call instance methods without an object
d. has direct access to class instance members

Answers

Static methods in Java are ones that can be used directly without creating a class object first. Either a reference to the class object or the class name itself is used to refer to them.

Can a programmer designed class contain a static main?

Classes are created by programmers to specify the things that will be used by the program while it is executing. The static main() method, which is used to launch the program, is defined in a class by the programmer.

Without an object, can a static main call instance methods?

Java supports static methods, which can be utilized without creating a class instance first. Either the class name itself or a reference to the class object are used to refer to them.

To know more about Static methods visit:-

https://brainly.com/question/14861595

#SPJ4

Which operating system does a driver assist with?

running applications

hardware management

file management

booting

Answers

Answer:

hardware management

Explanation:

Answer:

hardware management

Explanation:

which of the following security settings can best help minimize brute force attacks on local user account passwords?

Answers

The maximum number of unsuccessful logon attempts before the account is locked is determined by the account lockout threshold.

A threshold is an amount, level, or limit on a scale. When the threshold is reached, something else happens or changes. Reflects the minimum performance required to achieve the required operational effect, while being achievable through the current state of technology at an affordable life-cycle cost. It is commonly understood that the term comes from the reeds or rushes, thresh, that were thrown on the floors of simple dwellings in those times. A piece of wood would be installed in the doorway to keep the thresh from falling out of an open door - thus threshold. (A threshold is the lowest point at which a particular stimulus will cause a response in an organism.) An important means of measuring a sensation is to determine the threshold stimulus—i.e., the minimum energy required to evoke the sensation.

Learn more about threshold here

https://brainly.com/question/26913675

#SPJ4

Which action would you take to add or rearrange I formation on a SmartArt graphic?

Answers

If you desire to include or modify data with a SmartArt diagram, then these are the steps to follow:

The Steps to follow

Choose the SmartArt graphic within your document or presentation.

Select the SmartArt Tools section located in the ribbon and then click on the "Design" tab.

To incorporate a fresh form, tap on the "Add Shape" tab and pick your preferred alternative from the drop-down list.

To reposition shapes in the hierarchy, simply choose the desired shape and utilize the arrow buttons located in the "Create Graphic" group to shift it in an upward, downward, leftward or rightward direction.

Read more about graphics here:

https://brainly.com/question/18068928

#SPJ1

Originally, Java was used to create similar apps as what other language?
Perl
Python
CSS
Javascript

Answers

Answer:

Python

Explanation:

Took the test

Originally, Java was used to create similar apps as other languages, which as python. The correct option is b.

What are computer languages?

The computer languages are Java and Python is in their conversion; the Java compiler converts Java source code into an intermediate code known as bytecode, whereas the Python interpreter converts Python source code into machine code line by line.

Curly braces are used in Java to define the beginning and end of each function and class definition, whereas indentation is used in Python to separate code into separate blocks.

Multiple inheritances is done partially through interfaces in Java, whereas Python continues to support both solitary and multiple inheritances.

Therefore, the correct option is b. Python.

To learn more about computer languages, refer to the below link:

https://brainly.com/question/14523217

#SPJ2

i need to know thr full number of pie

Answers

Answer:

3.14159

Explanation:

In business writing, which statement best describes "tone?"

Answers

Tone would help you determine whether your boss is pleased or angry in a workplace email. Thus, option D is correct.

The tone of an email or every written text can help us determine what was the emotional state of the writer, as the way the phrases are formed and all the textual elements will form a pattern that is recognizable for the readers.

So, from the tone of an email, it is possible to determine whenever the writer was pleased or angry.

Thus, Tone would help you determine whether your boss is pleased or angry in a workplace email. Thus, option D is correct.

Learn more about tone on:

https://brainly.com/question/1416982

#SPJ1

The complete question will be

Which of the following would help you determine whether your boss is pleased or angry in a workplace email?

A. Formality

B. Consistency

C. Wordiness

D. Tone

Other Questions
can somebody explain it to me please? You are on the school playground with your friends and you notice a broken piece of equipment. One of the poles has snapped and could cause someone to be injured if they fall or land on it. You tell the teacher who sends you to talk to the principal and explain the problem. The principal explains that the school has no money to fix the playground, so it will have to be closed.What can you do? Who could you ask for help? calculate the average speed of a cyclist who travels 30 km in 3 hr The equation representa Function A and the graph represents Function B what do you mean when you say that something is morally right or morally wrong? use specific examples from your life experience to illustrate your answer. Estephania has 24 video games. She distributes them equally among her 3 younger siblings. How many video games does each sibling receive? Find the current balance for Jeffs savings account if he had a balance of $396.80, made three $15 deposits, withdrew $125, and earned $1.04 interest. The pattern in this table continues. Which equation below relates the number of squares to the figure number?a) s=4 f+1b) s=2 f+3c) s=f+2d) f=2 s+3ABCD a steel ball rolls horizontally off the edge of a tabletop that is 1.0 m high. it strikes the floor at a point 2.0 m horizontally away from the table edge. (neglect air resistance.) how long was the ball in the air? PLEASE HELP Find the value of x and y. Write your answer in simplest radical form. FILL IN THE BLANK. Adherents of ______, a rationalist version of religion that grew out of the Enlightenment, included Franklin and Jefferson. assume the original facts but now suppose the jacksons own investments that appreciated by $10,000 during the year. the jacksons believe the investments will continue to appreciate, so they did not sell the investments during this year. what is the jacksons' taxable income? therapists should acquire in training and practice throughout their professional lives? Use the vertical method to multiply (4a3 2a + 3a2 + 1) and (3 - 2a + a).What would be the value of A? Triangle ABC is shown below. What is the measure of angle?? Practice: Change the following sentences by changing word form when possible. 1. It is advisable for older people to exercise regularly. 2. Having an active lifestyle can help prevent chronic diseases. 3. The main functions of computers are: receiving, displaying, and storing data. 4. Computers are important because they are accurate, fast and easy to use. 5. Bees have a number of ways to communicate such as; dance, vibrations, or sounds. Practice: Change the following sentences by using synonyms when possible. 1. Scientists use various methods when they prove or disprove a theory. 2. All organisms need food and energy to survive on the planet. English 162 Spring 22 3. it is estimated that over 22 million children are severely obese. 4. According to research, 64% of American adults consume coffee every day. 5. The primary global cause of death is heart disease. Selma went shopping and bought identical sweaters for each of 3 friends. If she spent $42, what was the cost of each sweater? Include your equation with your answer. Help please asap please? How to Convert Roman Numerals to Numbers? which of the following is a characteristic of monopolistic competition?group of answer choicesrelatively easy entrya relatively small number of firmsstandardized productabsence of nonprice competitionblocked entry