What is the first step you must complete before modifying a form in Word?
O Ask for permission from the last person to modify it.
Remove any protections that restrict editing.
O Fill in the form so you know what it will look like.
O Share the form with anyone you want to complete the form.

Answers

Answer 1
The answer to the following question is A
Answer 2

Answer:

The correct answer is B, Remove any protections that restrict editing

Explanation:

You're welcome and have a nice day :)


Related Questions

State two input devices and two output devices, explaining how they would be useful in graphic design work.​

Answers

Answer:

input: keyboard, mouse

output: monitor, printer

Explanation:

keyboard: to type out any words needed on designs

mouse: to be able to click/draw

monitor: to see the work you've done

printer: to print any physical designs to send to client or to use as samples

What is the final step in conducting a competitive audit? (UX)


Outline the goals

Create a list of your competitors

Summarize your findings

Research each product

Answers

The final step in conducting a competitive audit is create a list of your competitors. The correct option is B.

What is competitive audit?

A UX competitive analysis is a technique used by UX researchers to understand the competition, identify opportunities, and gain a competitive advantage.

This analysis provides valuable insights to UX design teams in developing a UX strategy to improve a product's user experience and business value.

The final step in conducting a competitive audit is to examine the competitor's overall market performance.

You can learn more about what the target customers are looking for by reading reviews and testimonials left by previous customers on review sites or social media platforms.

Thus, the correct option is B.

For more details regarding audit, visit:

https://brainly.com/question/14652228

#SPJ1

Which roles Primary responsibility is the handling of the physical media

Answers

The physical layer is in charge of transmitting computer bits from one device to another across the network.

What is physical media?

Physical media are the physical materials used to store or transmit data in data communications.

These physical media are typically physical objects made of metals or glass. They have physical properties such as weight and color and can be touched and felt.

Unguided Media or Unbounded Transmission Media are other terms for wireless communication. There is no physical medium required for the transmission of electromagnetic signals in this mode.

The physical layer is in charge of sending computer bits across the network from one device to another.

Thus, this is the role that Primary responsibility is the handling of the physical media.

For more details regarding physical media, visit:

https://brainly.com/question/5045828

#SPJ1

Which of the following statements is false? A JavaScript identifier
- is case-sensitive
- can start with a $ sign
- can start with a number
- can be more than 128 characters long

Answers

Answer:

case sensitive, assuming iddentifier here means a variable.

Hello, I've tried everything and I cannot get this code to be fair. I need help. Can someone provide guidance so I can understand how to formulate the proper code for this question so I can understand how it should be set up in Python or Python #. Thanks truly. I really appreciate a response. Enjoy your day:

2.26 LAB: Seasons
Write a program that takes a date as input and outputs the date's season. The input is a string to represent the month and an int to represent the day.

Ex: If the input is:

April
11
the output is:

Spring
In addition, check if the string and int are valid (an actual month and day).

Ex: If the input is:

Blue
65
the output is:

Invalid
The dates for each season are:
Spring: March 20 - June 20
Summer: June 21 - September 21
Autumn: September 22 - December 20
Winter: December 21 - March 19

Answers

A program that takes a date as input and outputs the date's season. The input is a string to represent the month and an int to represent the day is given below:

The Program

input_month = input()

input_day = int(input())

months= ('January', 'February','March', 'April' , 'May' , 'June' , 'July' , 'August' , 'September' , "October" , "November" , "December")

if not(input_month in months):

  print("Invalid")

elif input_month == 'March':

   if not(1<=input_day<=31):

       print ("Invalid")

   elif input_day<=19:

       print("Winter")

   else:

      print ("Spring")

elif input_month == 'April' :

   if not(1<=input_day<=30):

       print("Invalid")

   else:

      print("Spring")

elif input_month == 'May':

   if not(1<=input_day<=31):

       print("Invalid")

   else:

       print("Spring")

elif input_month == 'June':

   if not(1<=input_day<=30):

       print("Invalid")

   elif input_day<=20:

       print ("Spring")

   else:

       print("Summer")

elif input_month == 'July' or 'August':

   if not(1<=input_day<=31):

       print("Invalid")

   else:

       print("Summer")

elif input_month == 'September':

   if not(1<=input_day<=30):

       print("Invalid")

  elif input_day<=21:

       print ("Summer")

   else:

       print ("Autumn")

elif input_month == "October":

   if not(1<=input_day<=31):

      print("Invalid")

   else:

       print("Autumn")

elif input_month == "November":

   if not(1<=input_day<=30):

       print("Invalid")

   else:

       print ("Autumn")

elif input_month == "December":

   if not(1<=input_day<=31):

       print("Invalid")

   elif input_day <=20:

       print ("Autumn")

   else:

       print ("Winter")

elif input_month == 'January':

   if not(1<=input_day<=31):

       print("Invalid")

   else:

       print("Winter")

elif input_month == "February":

   if not(1<=input_day<=29):

       print("Invalid")

   else:

       print ("Winter")

Read more about programming here:

https://brainly.com/question/23275071

#SPJ1

which of these indicators could be represented by a single ?

Answers

Answer:

The charge level of the battery (0-100%)

Explanation:

write a script that creates and calls a stored procedure named insert_category. first, code a statement that creates a procedure that adds a new row to the categories table. to do that, this procedure should have one parameter for the category name. code at least two call statements that test this procedure. (note that this table doesn’t allow duplicate category names.)

Answers

The script that creates and calls a stored procedure named update_product_discount that updates the discount_percent column in the Products table is given below:

//This procedure should have one parameter for the product ID and another for the discount percent.

If the value for the discount_percent column is a negative number, the stored procedure should signal state indicating that the value for this column must be a positive number.//

Code at least two CALL statements that test this procedure.

*/

DROP PROCEDURE IF EXISTS update_product_discount;

DELIMITER //

CREATE PROCEDURE update_product_discount

(

 product_id_param         INT,

 discount_percent_param   DECIMAL(10,2)

)

BEGIN

 -- validate parameters

 IF discount_percent_param < 0 THEN

   SIGNAL SQLSTATE '22003'

     SET MESSAGE_TEXT = 'The discount percent must be a positive number.',

       MYSQL_ERRNO = 1264;  

 END IF;

 UPDATE products

 SET discount_percent = discount_percent_param

 WHERE product_id = product_id_param;

END//

DELIMITER ;

-- Test fail:

CALL update_product_discount(1, -0.02);

-- Test pass:

CALL update_product_discount(1, 30.5);

-- Check:

SELECT product_id, product_name, discount_percent

FROM   products

WHERE  product_id = 1;

-- Clean up:

UPDATE products

SET    discount_percent = 30.00

WHERE  product_id = 1;

Read more about programming here:

https://brainly.com/question/23275071

#SPJ1

Choose the type of malware that best matches each description.
to be triggered
:infects a computer or system, and then replicates itself, but acts independently and does not need
: tricks the user into allowing access to the system or computer, by posing as a different type of file
infects a computer or system, and then replicates itself after being triggered by the host

Answers

Answer:

B - tricks the user into allowing access to the system or computer, by posing as a different type of file

Answer:

Worm: infects a computer or system, and then replicates itself, but acts independently and does not need to be triggered

Trojan horse: tricks the user into allowing access to the system or computer, by posing as a different type of file

Virus: infects a computer or system, and then replicates itself after being triggered by the host

Explanation:

In this case:


var a = 6, b = "ten";


if ( a < b || b < a ) {


alert("this is true!");


}


the alert will not be run. It seems that a

Answers

Answer:

I'm sure that code is JS,

so the problem is you are using the < > operator with a number and a string. This is a comparison operator and wouldn't work with any other type than number

What devices do you or people you know use that may have an accelerometer or compass to perform certain tasks or functions

Answers

Answer: your smart phone and even tablet

Iphone( smart phone) tablet computer

A designer wants to design for the smallest and most basic version of their site, like for a mobile phone. What approach should they use? (UX)


Dedicated desktop web design

Graceful degradation

Progressive enhancement

Dedicated mobile app design

Answers

Answer:

Progressive enhancement

OR

Dedicated mobile app design

Most likely Dedicated mobile app design

In this lab, you add a loop and the statements that make up the loop body to a C++ program that is provided. When completed, the program should calculate two totals: the number of left-handed people and the number of right-handed people in your class. Your loop should execute until the user enters the character X instead of L for left-handed or R for right-handed.
The inputs for this program are as follows: R, R, R, L, L, L, R, L, R, R, L, X
Variables have been declared for you, and the input and output statements have been written.
Instructions
Ensure the source code file named LeftOrRight.cpp is open in the code editor.
Write a loop and a loop body that allows you to calculate a total of left-handed and right-handed people in your class.
Execute the program by clicking the Run button and using the data listed above and verify that the output is correct.
// LeftOrRight.cpp - This program calculates the total number of left-handed and right-handed
// students in a class.
// Input: L for left-handed; R for right handed; X to quit.
// Output: Prints the number of left-handed students and the number of right-handed students.
#include
#include
using namespace std;
int main()
{
string leftOrRight = ""; // L or R for one student.
int rightTotal = 0; // Number of right-handed students.
int leftTotal = 0; // Number of left-handed students.
// This is the work done in the housekeeping() function
cout << "Enter an L if you are left-handed, a R if you are right-handed or X to quit: ";
cin >> leftOrRight;
// This is the work done in the detailLoop() function
// Write your loop here.
// This is the work done in the endOfJob() function
// Output number of left or right-handed students.
cout << "Number of left-handed students: " << leftTotal << endl;
cout << "Number of right-handed students: " << rightTotal << endl;
return 0;
}

Answers

A loop and the statements that make up the loop body to a C++ program that is provided. When completed, the program should calculate two totals: the number of left-handed people and the number of right-handed people in your class. Your loop should execute until the user enters the character X instead of L for left-handed or R for right-handed.

The Program

#include <iostream>

#include <string>

//  R, R, R,  L, L, L,  R,  L,  R, R,  L,  X  ==>  6R 5L  X

void getLeftOrRight(std::string &l_or_r, int &total_l, int &total_r) {

// notice how the above line matches:   getLeftOrRight(leftOrRight, leftTotal, rightTotal);

// the values provided from the loop are given nicknames for this function getLeftOrRight()

if (l_or_r == "L") {  // left-handed

  total_l++;

} else if (l_or_r == "R") {  // right-handed

  total_r++;

} else {  // quit

  // option must be "X" (quit), so we do nothing!

}

return;  // we return nothing, which is why the function is void

}

int main() {

std::string leftOrRight = "";  // L or R for one student.

int rightTotal = 0;            // Number of right-handed students.

int leftTotal  = 0;            // Number of left-handed students.

while (leftOrRight != "X") {  // whilst the user hasn't chosen "X" to quit

  std::cout << "Pick an option:" << std::endl;

  std::cout << "\t[L] left-handed\n\t[R] right-handed\n\t[X] quit\n\t--> ";

  std::cin  >> leftOrRight;  // store the user's option in the variable

 getLeftOrRight(leftOrRight, leftTotal, rightTotal);  // call a function, and provide it the 3 arguments

}

std::cout << "Number of left-handed students:  " << leftTotal  << std::endl;

std::cout << "Number of right-handed students: " << rightTotal << std::endl;

return 0;

}

Read more about programming here:

https://brainly.com/question/23275071

#SPJ1

Write JavaScript code to convert the number 236.2363611111556 into currency format
and JavaScript statement to show output.

please someone help me, I am asking this for second time.

Answers

The JavaScript code to convert the number 236.2363611111556 into currency format and show output is given below:

The JavaScript Code

function financial(x) {

return Number.parseFloat(x).toFixed(2);

}

This code helps to convert the given number: 236.2363611111556 into currency format..

The code defines a method and function which is x, then uses curly brackets to tell the compiler that a new command is being sent.

Then an already declared variable, Number would be parsed to another variable using float so it could contain decimal numbers.

At the end, the given number: 236.2363611111556 would be converted into currency format..

Read more about javascript here:

https://brainly.com/question/16698901

#SPJ1

explain why it is important for you to understand and explain the basic internal and external parts of a computer in the work place setting

Answers

Answer:

Having a good understanding of the terminology and jargon used with computers helps you be more efficient with other technology. 

Explanation:

Anyone connected to the Internet has a better understanding of using the Internet and connecting other devices.

Words that when clicked on can link to another website are called:

Answers

Answer:

hyperlink

Explanation:

youwelcome:)

Which method of sending data uses routing?

Answers

Answer:

The Internet Protocol (IP) is the protocol that describes how to route messages from one computer to another computer on the network. Each message is split up into packets, and the packets hop from router to router on the way to their destination.

A design team is working on an app for a government information tool and suggests this problem statement: Casey just moved to the area and needs to get information about setting up utilities because he doesn’t know who to contact. What element is missing in the problem statement?

User name

Insight

User characteristics

User need

Answers

Answer:

User characteristics

Explanation:

When newer consoles are being released, companies make the consoles
compatible. What does this mean?
(1 point)
O The newer consoles are released with higher speeds that allow for better graphics.
O The newer consoles can play games from other brands of consoles.
O
The newer consoles can play the new games but cannot play the games for the
older consoles.
The new consoles can play the games made for the older consoles as well as new
games.

Answers

Answer:

The last option

Explanation:

As the newer consoles allow old console games and also can support the new games made for the console. The games are high graphic and with high fps even if the game is from an older console. Which in turn means making it compatible

Which of these terms refers to a paper printout?

Answers

Answer:

A term that refers to a paper printout is a hardcopy output.

Explanation:

Any output that is available in paper form is typically referred to as a hard copy. It served as a word to set it apart from soft copy (which referred to any electronic form). It was talking about how the paper version appeared to be permanent; you couldn't update the data on a hard copy format without it being clear.

Data that was seen on a screen or saved to disk was considered soft copy, whereas data that was printed out was considered hard copy.

Thanks,

Eddie

Write the web HTML code for inserting an image into a web run output in case the suggested image is not available​

Answers

Answer:

[tex]{ \tt{ < img \: { \blue{src ={ \orange{"www.image.com" \: { \green{alt = " \: "}}}} }}}/ > }[/tex]

That's the code

Which of the following is an operating system? Dell MacBook air or windows 10

Answers

Answer:

Windows 10

Explanation:

Dell & Mac Book Air are brands.

The coder assigned a CPT code to "x-ray, right femur" and an ICD-10-CM code to "fracture, right humerus." The health insurance company denied
reimbursement for the submitted claim due to lack of medical necessity. What action should the provider's office take?

Answers

The action that the provider's office need to take is that  the  provider's office need to review the codes and ensure sure they are the correct ones. The provider then need to inform  the coder to do a lot of  investigation on the code as well as  also add a lot of details to all of the code.

What is the issue about?

The provider's office in the above case of the fracture need to look through the claim and the patient record to be able to tell if the patient has gotten a fractured femur or a fractured humerus.

Therefore, The action that the provider's office need to take is that  the  provider's office need to review the codes and ensure sure they are the correct ones. The provider then need to inform  the coder to do a lot of  investigation on the code as well as  also add a lot of details to all of the code.

Learn more about fracture from

https://brainly.com/question/5404553

#SPJ1

Q: Health care providers are responsible for documenting and authenticating legible, complete, and timely patient records in accordance with federal regulations and accrediting agency standards. The provider is also responsible for correcting or altering errors in patient record documentation. A patient record documents health care services provided to a patient and includes patient demographic data, documentation to support diagnoses and justify treatment provided, and the results of treatment provided.

The coder assigned a CPT code to "x-ray, right femur" and an ICD-10-CM code to "fracture, right humerus." The health insurance company denied reimbursement for the submitted claim due to lack of medical necessity. What action should the provider's office take?

Can you solve this program?

Answers

The attributes of the InventoryTag object red_sweater with sample output for the given program with inputs: 314 500 ID: 314 Qty is given:

The Attributes

Sample output for the given program with inputs: 314 500

ID: 314

Qty: 500

1 class InventoryTag:

2 def __init__(self):

3 self. item_id

4 self. quantity remaining – olol

5

6 red_sweater – InventoryTag

7 red sweater. itemid input

8 red_sweater. quantity remaining – input

9 def split. check(check_amount, numdiners, tax rate 0.09, tip. rate 0.15):

10 return check mount (180 + tip. rate 100 tax rate 100)/(100 num diners)

Read more about computer programs here:

https://brainly.com/question/23275071
#SPJ1

What is the memory size, in bytes, of a float? (Note: 1byte = 8bits)

Answers

Answer: 4 bytes

Explanation: if doubled be 8 bytes

HELP ME OUT PLEASE!!!!!

_______ are creations which include major copyright-protected elements of an original

A) Fair Use Doctrine

B) Derivative Works

C) Intellectual Property

D) Copyrighted​

Answers

Answer:

Derivertive works

Explanation:

 In copyright law, a derivative work is an expressive creation that includes major copyright-protected elements of an original, previously created first work (the underlying work). The derivative work becomes a second, separate work independent in form from the first.

Select the two correct statements about Cloud Logging.

Cloud Logging lets you define uptime checks.

Cloud Logging lets you define metrics based on your logs.

Cloud Logging requires the use of a third-party monitoring agent.

Cloud Logging requires you to store your logs in BigQuery or Cloud Storage.

Cloud Logging lets you view logs from your applications and filter and search on them.

Answers

The two correct statements about Cloud Logging include the following:

Cloud Logging lets you define metrics based on your logs.Cloud Logging lets you view logs from your applications and filter and search on them.

What is cloud computing?

Cloud computing can be defined as a type of computing that requires the use of shared computing resources over the Internet rather than the use of local servers and hard drives.

What is Cloud Logging?

Cloud Logging can be defined as a fully managed service that is designed and developed to avail end users an ability to store, search, analyze, monitor, and receive notifications on logging data and events from Cloud services providers.

In this context, we can reasonably infer and logically deduce that Cloud Logging allows an end user to define metrics based on his or her logs.

Read more on Cloud storage here: https://brainly.com/question/18709099

#SPJ1

Where do you search to identify the user who last modified a shared document in Word 2019?
O in the Data tab
O in the Help view
O in the Review tab
O in the Backstage view

Answers

The option where  you search to identify the user who last modified a shared document in Word 2019 is option c: in the Review tab.

How can you tell when a Word document was last modified?

In Word, a person can be able to the document properties if only they click the File tab and then select Info to display the properties for an open document in Word.

Note that the document's properties are listed on the right side of the window, including the Last Modified date, the creation date, and others.

Hence,  the Review Tab's functions include document proofreading and giving you the option to get input on your final revisions.

Therefore, based on the above, The option where  you search to identify the user who last modified a shared document in Word 2019 is option c: in the Review tab.

Learn more about Word document from

https://brainly.com/question/1596648
#SPJ1

Answer: Its The Backstage view..  right on EDGE

Explanation:

What is the output?

int x=5;

if( x > 5)

cout << "x is bigger than 5. ";

cout <<"That is all. ";

cout << "Goodbye\n";

Answers

The output of the given program is "That is all. Goodbye"

What is an Output?

This refers to the result or information that is gotten from a computer system after processing has been done.

Hence, we can see that if-else conditional statement is used and it should prompt the user for input, but the output based on this code fragment is  "That is all. Goodbye"

The given code is:

int x=5;

if( x > 5)

cout << "x is bigger than 5. ";

cout <<"That is all. ";

cout << "Goodbye\n";

Read more about output here:

https://brainly.com/question/25983065

#SPJ1

making smart communication system is main application of?​

Answers

Answer:

Typical communications applications include wireless systems using RF and microwave, MIMO, wireless LAN's, mobile phones, base station monitoring, surveillance, satellite communications, bus testing, cable testing, antenna and transmitter testing.

Which access control method relies on access being defined in advance by system administrators?

Answers

Answer:

The access control method which relies on access being defined in advance by system administrators is the "Mandatory Access Control ( MAC )"

Other Questions
24+6x=10xPLS help ASAP!!! A teacher listed the following two processes. Process 1: water changing to ice in a freezer Process 2: steam coming out of a kettle filled with hot of waterWhich set of statements correctly identifies the change of energy taking place in each example? can you vividly describe jumping from a high place like bungee jumping? and that amazing feeling of fear and happiness that comes with it? I need to visually describe with imagery the art of letting go and just jumping A 12-n force is applied at the point x=3m, y=1m. find the torque about the origin if the force points in (a) the x direction, (b) the y direction, and (c) the z direction. I will mark BRAINLIEST AND GIVE EXTRA POINTS TO WHOEVER ANSWERS I really don't understand this please help meh thanks :) betweeen altitude versus average number of red blood cells which one is a dependent variable Section 2Question: How did Johnson's Reconstruction plan impact the South, and formerly-enslavedBlacks in particular? Question 2Question Help: ReadCalculatorKPerimeter and AreaDetermine the perimeter and area of a rectangle with lengh 21 feet and width 26.1 feet.Round your answers to the nearest hundredth as needed.Perimeter =Select an answerSubmit Question>Area =Select an answer What is a public health initiative that is likely to involve the participation of emts? Cash revenue generated from notes receivable appears in the operating activities section of the statement of cash flows but as a non-operating item on the income statement. True or false?. A, B, C and D are four towns.B is 30 kilometres due East of A.C is 30 kilometres due North of A.D is 45 kilometres due South of A.a) Work out the bearing of B from C.b) Calculate the bearing of D from What is contained in chromosomes?A. genetic informationB. dense reserves of saccharidesC. ribosomes 1. el programa:2. una mujer:3. la conductora:4. un cuaderno:5. el lpiz: 6. la leccin: Explain why the name 1-propane is incorrect During a baseball game, a batter hits a highpop-up.If the ball remains in the air for 5.86 s, howhigh above the point where it hits the batdoes it rise? Assume when it hits the groundit hits at exactly the level of the bat. Theacceleration of gravity is 9.8 m/s.Answer in units of m Lines a & m are parallel. Using the diagram below, what is the degree measure of angle 3?Enter the numerical answer only. Example, if the answer is 12 degrees, only enter 12. I need to points on how jesus influinces christians. -nionWhich substance is considered a depressant? b. A patient suffered from schizophrenia and was hospitalized in a mental institution while in college.He is now 37 years old. Is information about his hospitalization still PHI?i What are the three cultural misteps that wally astor and his father in law henry williams, madein this scenario? why do you think this happened?