TO EXIT WORD YOU CLICK WHAT

Answers

Answer 1
File > Close
(Or the X in the corner?)
Answer 2

Answer:

To exit Word, you can click on the "File" menu and then click "Exit" or "Close".


Related Questions

Question 7 (1 point)
Which of the following describes what the hotkey C does when using the Knife Tool
in Blender?
It ignores the default snap to nearby edges and vertices.
It cuts the object through the visible front faces and the faces that are not
visible.
It turns on the angle constrain so cuts snap to a set 45° angle.
It snaps the cursor to the exact midpoint of the edge so the user does not have
to find it.

Answers

The hotkey C does when using the Knife Tool in Blender is: It turns on the angle constraint so cuts snap to a set 45° angle.

When using the Knife Tool in Blender, pressing the C key activates the angle constraint feature. This means that any cuts made with the Knife Tool will snap to a set 45° angle. The angle constraint feature is particularly useful when precision is required, as it allows the user to create clean and accurate cuts along specific angles without the need for manual adjustment.By default, the Knife Tool in Blender does not ignore snap to nearby edges and vertices, and it does not cut the object through only the visible front faces and non-visible faces. The functionality described in the remaining options is not related to the C hotkey in the Knife Tool.It's important to note that the information provided here is based on the Blender software as of September 2021. As software updates may occur beyond this date, it's always recommended to consult the official Blender documentation or the latest resources to confirm any changes or additions to the features and hotkeys in Blender.

The correct option is: It turns on the angle constraint so cuts snap to a set 45° angle.

For more such questions on Knife Tool

https://brainly.com/question/17959031

#SPJ8

Accumulating Totals in Single- Level Control Break Programs Summary In this lab , you will use what you have learned about accumulating totals in a single - level control break program to complete a C++ program . The program should produce a report for a supermarket manager to help her keep track of the hours worked by her part- time employees . The report should include the day of the week and the total hours worked by all employees each day . The student file provided for this lab includes the necessary variable declarations and input and output statements . You need to implement the code that recognizes when a control break should occur . You also need to complete the control break code . Be sure to accumulate the daily totals for all days in the week . Comments in the code tell you where to write your code .

Instructions 1. Study the prewritten code to understand what has already been done . 2. Write the control break code , including the code for the dayChange () function , in the main (function . 3. Execute the program by clicking the Run button at the bottom of the screen . Use the following input values : Monday - 6 hours ( employee 1) Tuesday - 2 hours (employee 1 ), 3 hours ( employee 2) Wednesday - 5 hours (employee 1 ), 3 hours (employee 2 ) Thursday -6 hours (employee 1 ) Friday - 3 hours ( employee 1), 5 hours ( employee 2) Saturday - 7 hours (employee 1 ), 7 hours (employee 2) , 7 hours ( employee 3) Sunday hours

1 // SuperMarket. cpp - This program creates a report that lists weekly hours worked
2 // by employees of a supermarket. The report lists total hours for
3 // each day of one week
4 // Input:
Interactive
5 // Output: Report.
6
7 #include
8 #include
8 #include
8 #include dayOfWeek;
if (day0fWeek
== SENTINEL)
notDone = false;
else
{
cout <‹ "Enter hours worked: cin >> hoursWorked;
prevDay = dayOfWeek;
}
while(notDone == true)
// Implement control break logic here
// Include work done in the dayChange () function
cout <‹ "\t\t" << DAY_FOOTER <‹ hoursTotal <‹ endl;
return 0;

Answers

Based on the provided code snippet, it seems that the instructions and implementation details of a C++ program are missing. It appears to be an incomplete code snippet with placeholders for implementing control break logic and the dayChange() function.

To complete the program, you would need to carefully study the prewritten code, understand the requirements and control break conditions, and then write the missing parts as instructed. This includes implementing the control break logic and completing the dayChange() function.

Need help with this python question I’m stuck

Answers

It should be noted that the program based on the information is given below

How to depict the program

def classify_interstate_highway(highway_number):

 """Classifies an interstate highway as primary or auxiliary, and if auxiliary, indicates what primary highway it serves. Also indicates if the (primary) highway runs north/south or east/west.

 Args:

   highway_number: The number of the interstate highway.

 Returns:

   A tuple of three elements:

   * The type of the highway ('primary' or 'auxiliary').

   * If the highway is auxiliary, the number of the primary highway it serves.

   * The direction of travel of the primary highway ('north/south' or 'east/west').

 Raises:

   ValueError: If the highway number is not a valid interstate highway number.

 """

 if not isinstance(highway_number, int):

   raise ValueError('highway_number must be an integer')

 if highway_number < 1 or highway_number > 999:

   raise ValueError('highway_number must be between 1 and 999')

 if highway_number < 100:

   type_ = 'primary'

   direction = 'north/south' if highway_number % 2 == 1 else 'east/west'

 else:

   type_ = 'auxiliary'

   primary_number = highway_number % 100

   direction = 'north/south' if primary_number % 2 == 1 else 'east/west'

 return type_, primary_number, direction

def main():

 highway_number = input('Enter an interstate highway number: ')

 type_, primary_number, direction = classify_interstate_highway(highway_number)

 print('I-{} is {}'.format(highway_number, type_))

 if type_ == 'auxiliary':

   print('It serves I-{}'.format(primary_number))

 print('It runs {}'.format(direction))

if __name__ == '__main__':

 main()

Learn more about program on

https://brainly.com/question/26642771

#SPJ1

I need this code to print in reverse without spaces. please help....

example:
input: dog is pretty
output: ytterpsigod


import java.util.Scanner;

// Class
class Main {

// Main driver method
public static void main(String[] args)
{

Scanner input = new Scanner(System.in);
System.out.print("input the string sentence: ");
String words = input.nextLine();

String callM = reverseFor(words);

System.out.println(callM);



}


public static String reverseFor (String str2)
{


String reversedString = "";
String count = "";
for (int i = str2.length()-1; i>=0; --i) {
reversedString = reversedString + str2.charAt(i);
if (!Character.isWhitespace(reversedString))
{
count = count + reversedString;

}
}

return reversedString;
}
}

Answers

Certainly! I see that you want to modify the provided code to print the reversed string without spaces. Here’s an updated version of the code that achieves that:

import java.util.Scanner;

public class Main {
public static void main(String[] args) {
Scanner input = new Scanner(System.in);
System.out.print("Enter the string sentence: ");
String words = input.nextLine();

String reversedString = reverseWithoutSpaces(words);
System.out.println(reversedString);
}

public static String reverseWithoutSpaces(String str) {
String reversedString = "";
for (int i = str.length() - 1; i >= 0; i--) {
if (!Character.isWhitespace(str.charAt(i))) {
reversedString += str.charAt(i);
}
}
return reversedString;
}
}

With this updated code, the reverseWithoutSpaces method iterates over the characters of the input string in reverse order and appends non-space characters to the reversedString. Finally, the reversed string without spaces is returned and printed.

After sending a business e-mail, how long should you generally wait before following up for a response? Select one.

Question 7 options:

It’s never good etiquette to follow up


End of business day


24 hours


48 hours

Answers

After sending a business email, we have to wait for : End of business day.

After sending a business email, it is generally considered appropriate to wait until the end of the business day before following up for a response. This allows the recipient sufficient time to review their emails and respond accordingly. By waiting until the end of the business day, you demonstrate patience and respect for the recipient's schedule and workload.It's important to note that the appropriate timeframe for following up may vary depending on the urgency and nature of the email. If the matter is time-sensitive or requires immediate attention, it may be appropriate to follow up sooner, such as within a few hours or by the next business day.It's worth considering any specific instructions or expectations provided by the recipient or your company's communication protocols. Some organizations may have defined response timeframes or guidelines for follow-ups that you should adhere to.It's essential to strike a balance between being proactive and respectful of the recipient's time and workload when deciding when to follow up on a business email.

The correct option is: End of business day.

For more such questions on business email

https://brainly.com/question/30129889

#SPJ8

1. A company that produces office organizers is currently utilizing 10 hours per day to complete 90 pcs of the product. Engr Ulymarl, the senior process engineer proposes to do minor change in the process flow to avoid redundancy. By doing this, the output increased to 110 pcs. The material cost per organizer is BD 5; additional supplies needed to complete the organizer cost BD 1.50 and labor is paid at the rate of BD 2.5 per hour, energy cost is assumed to be BD 1.5 while water cost is at BD 1.75. a. Is there any improvement in productivity with the changes that have been implemented by the process engineer? b. Prove your answer though presenting the labor productivity, multifactor productivity and productivity improvement. c. What is your conclusion on the action done by Engr Ulymarl ?

Answers

a. Yes, there is an improvement in productivity as the output increased from 90 to 110 pcs.

b. Labor Productivity: 11 pcs/hour. Multifactor Productivity: 0.88 pcs/(BD 11.75) per day. Productivity Improvement: 22.2% increase.

c. Engr Ulymarl's action improved productivity by increasing output per hour and overall efficiency, leading to positive results and potentially better profitability.

a. Yes, there is an improvement in productivity with the changes implemented by the process engineer. The output increased from 90 to 110 pcs, indicating higher productivity.

b. To prove the improvement in productivity, we can calculate the following metrics:

Labor Productivity: Divide the output (110 pcs) by the labor hours (10 hours) to obtain the labor productivity per hour .

         Labor Productivity = Output / Labor Hours

Multifactor Productivity: Sum up the costs of materials, additional supplies, labor, energy, and water, and divide the output (110 pcs) by the total cost to calculate the multifactor productivity.

        Multifactor Productivity = Output / (Material Cost + Additional Supplies.              

       Cost + Labor Cost + Energy Cost + Water Cost)

Productivity Improvement: Compare the initial and improved productivity measures to determine the percentage increase.

        Productivity Improvement = ((Improved Productivity - Initial        

        roductivity) / Initial Productivity) * 100

c. Engr Ulymarl's action resulted in a significant improvement in productivity. The increased output per hour of labor indicates higher efficiency. The labor productivity, multifactor productivity, and productivity improvement calculations would provide concrete evidence of the positive impact of the process flow changes. The proposed actions by Engr Ulymarl have successfully enhanced productivity, leading to better output and potentially higher profitability for the company.

For more such question on productivity

https://brainly.com/question/21044460

#SPJ8

What does it mean when your internet connection is shaped

Answers

Answer:

Some of your heavier internet usages will be shaped, meaning that you will experience slower connection when performing certain tasks like streaming movies or videos, updating your software, access your desktop remotely, or gaming

create a questionnaire to gain information about one emerging technology of your choice. you could choose from several options, such as cloud computing, pervasive computing, wearable computing, artificial intelligence, and other technologies.

Answers

Sure! Let’s create a questionnaire to gain information about Artificial Intelligence (AI):

1. What is your familiarity with Artificial Intelligence (AI)?
a) Very familiar
b) Somewhat familiar
c) Not familiar at all
2. Have you personally used or interacted with any AI-powered technologies or applications?
a) Yes
b) No
3. Which of the following areas do you think AI has the most significant impact on? (Select all that apply)
a) Healthcare
b) Finance
c) Transportation
d) Education
e) Retail
f) Other (please specify)
4. In your opinion, what are the main advantages of AI technology? (Select all that apply)
a) Improved efficiency and productivity
b) Enhanced decision-making capabilities
c) Automation of repetitive tasks
d) Advanced data analysis and insights
e) Improved customer experience
f) Other (please specify)
5. Are you concerned about the ethical implications of AI technology? Why or why not?
6. How do you see AI impacting the job market and employment opportunities in the future?
7. What are your thoughts on the potential risks and challenges associated with AI implementation?
8. Have you encountered any AI applications or technologies that you believe need improvement or further development? If yes, please provide details.
9. Are you aware of any regulatory or legal frameworks in place to govern AI technology? If yes, please share your knowledge on this topic.
10. In your opinion, what are the key areas where AI technology should be further explored or expanded?
11. Are you personally excited about the future prospects and advancements of AI technology? Why or why not?
12. Would you be open to using AI-powered products or services in your personal or professional life? Why or why not?

la doxeada pal que le caiga

Country Name United States of America
ISO-3166-1 Alpha-2 Code US
ISO-3166-1 Alpha-3 Code USA
ISO-3166-1 Numeric Code 840
Continent North America
Capital Washington, D.C.
Demonym Americans
Total Area 9,826,675
Population 331,002,651
IDD Code 1
Currency Code USD
Currency Name United States Dollar
Currency Symbol $
Language Code EN
Language Name English
TLD Code us

Answers

The United States of America (USA) is a North American country with Washington, D.C. as its capital. It has a total area of 9,826,675 square kilometers and a population of 331,002,651. The country's ISO codes are US, USA, and 840, and its currency is the United States Dollar (USD).

The United States of America (USA) is a country located in North America. It is identified by the ISO-3166-1 Alpha-2 code "US," Alpha-3 code "USA," and numeric code "840." The capital city of the United States is Washington, D.C. The country covers a total area of approximately 9,826,675 square kilometers.The population of the United States is around 331 million people. The citizens of the United States are referred to as Americans. The country's official currency is the United States Dollar (USD), which is denoted by the currency code "USD." The international dialing code for the United States is "1."In summary, the United States of America, with its capital in Washington, D.C., is a North American nation with a large population of around 331 million. It occupies a vast total area of approximately 9,826,675 square kilometers. The country is identified by the ISO-3166-1 codes US, USA, and 840, and it uses the United States Dollar (USD) as its official currency.

For more such question on codes
https://brainly.com/question/28338824

#SPJ8


Once a customer orders a burger they are prompted on the order screen to select which of three condiments and one to the sandwich which quality of automation is being performed here

Answers

Answer:

The quality of automation being performed here is the process of decision-making or selection based on predefined options. In this case, the customer is prompted to select from a set of three condiments and one type of sandwich, which are predefined options. This process is automated as the customer is presented with a screen with the options to select from, which is pre-programmed and does not require any manual intervention from a human. This helps to streamline the ordering process and reduce errors by providing a set of standardized options for customers to choose from.

following the 2012 olympic games hosted in london. the uk trade and envestment department reported a 9.9 billion boost to the economy .although it is expensive to host the olympics,if done right ,they can provide real jobs and economic growth. this city should consider placing a big to host the olympics. expository writing ,descriptive writing, or persuasive writing or narrative writing

Answers

The given passage suggests a persuasive writing style.

What is persuasive Writing?

Persuasive writing is a form of writing that aims to convince or persuade the reader to adopt a particular viewpoint or take a specific action.

The given text aims to persuade the reader that the city being referred to should consider placing a bid to host the Olympics.

It presents a positive example of the economic benefits brought by the 2012 Olympic Games in London and emphasizes the potential for job creation and economic growth.

The overall tone and content of the text are geared towards convincing the reader to support the idea of hosting the Olympics.

Learn more about persuasive writing :

https://brainly.com/question/25726765

#SPJ1


Full Question:

Following the 2012 Olympic Games hosted in London, the UK Trade and Investment Department reported a 9.9 billion boost to the economy. Although it is expensive to host the Olympics, if done right, they can provide real jobs and economic growth. This city should consider placing a bid to host the Olympics.

What kind of writing style is used here?

A)  expository writing

B) descriptive writing

C)  persuasive writing

D)  narrative writing

Question 6 (1 point)
Janelle is creating a model of a bathroom in Blender. She is currently working on the
tile pattern for the walls of the shower. She has decided on a hexagonal shape
surrounded by four squares. Since this pattern will be repeated over the entire
shower wall, which of the following modifiers should she use to create enough
copies of it to populate the entire area?
Boolean
Bevel
Array
Screw

Answers

To create enough copies of the tile pattern to populate the entire area of the shower wall in Blender, Janelle should use the C) Array modifier.

The Array modifier in Blender allows for the creation of multiple copies or instances of an object, arranged in a specified pattern.

It is particularly useful when creating repetitive patterns, as in the case of the tile pattern for the shower walls.

By applying the Array modifier to the initial tile pattern, Janelle can define the number of copies to be made and the desired spacing or offset between them.

She can configure the modifier to create a grid-like arrangement of the tiles, allowing her to cover the entire area of the shower wall seamlessly.

The Array modifier offers flexibility in terms of adjusting the pattern's size, rotation, and other parameters to achieve the desired look.

Additionally, any changes made to the original tile will be automatically propagated to all the instances created by the modifier, streamlining the editing process.

While the other modifiers mentioned—Boolean, Bevel, and Screw—have their own specific uses, they are not suitable for creating multiple copies of a tile pattern.

The Boolean modifier is used for combining or cutting shapes, Bevel for adding rounded edges, and Screw for creating spiral or helix shapes.

For more questions on Array

https://brainly.com/question/29989214

#SPJ8

Other Questions
Write the Bio O for the following operation: Enque( ) = O() Deque() = O() Swap() = O() makeEmpty() = O () PQ:: ~PQ() = O () A solid uniform disk of mass Md and radius Rd and a uniform hoop of mass Mh and radiusRh are released from rest at the same height on an inclined plane. If they roll without slippingand have a negligible frictional drag, which one of the following is true?A.They will reach the bottom simultaneouslyB.the disk will reach the bottom firstC.The hoop will reach the bottom firstD.the one with the smaller radius will reach the bottom firstE.insufficient information has been given to predict this Why nursery rhymes are important to child's development A negative charge, if free, tries to move OA. in the direction of the electric field. B. toward infinity. OC. away from infinity. D. from high potential to low potential. OE. from low potential to high potential. A vessel contains 0.8 kg Hydrogen at pressure 80 kPa, a temperature of 300K and avolume of 7.0 m3. If the specific heat capacity of Hydrogen at constant volume is 10.52kJ/kg K. Calculate:3.1. Heat capacity at constant pressure (assume that H2 acts as an ideal gas). (6)3.2. If the gas is heated from 18C to 30C, calculate the change in the internal energyand enthalpy. (18) 3. Use superposition to find vx. VJ. 51 1002 +x- 3A ( 15V 452 Suppose that a variable is normally distributed in a population and that the standard error of the mean of a sample of size = 155 is 1.35. Determine the population standard deviation, . Give your answer precise to at least two decimal places. A large conical mound of sand with a diameter of 45 feet and height of 15 feet is being stored as a key raw ingredient for products at your glass manufacturing company. What is the approximate volume of the mound? What is maturation? Cite one example of maturation inthe newborn. Hint: Why do infants develop skills and abilities atdifferent times? Hint: What abilities develop in stages withinfants worldwide? what roles does self deception play in david benatar's being brought into existence is not a benefit but always a harm article Graph the functions on the same coordinate plane. In the Hall-Heroult process, a current is passed through molten liquid alumina with carbon electrodes to produce liquid aluminum and CO 2: Al 2O 3(t)+C (s)Al (t)+CO 2(g)Cryolite (NazAlF 6 ) is often added in the mixture to lower the melting point; consider it as an inert and a catalyst in the process. Two product streams are generated: a liquid stream with liquid aluminum metal, cryolite, and unreacted liquid aluminum oxide, and a gaseous stream containing CO 2. Carbon in the reactants is present as a solid electrode and is present at excess amounts, but it does not exit at the product. If a feed of 1500 kg containing 85.0%Al 2O 3and 15.0% cryolite is electrolyzed, 1152 m 3of CO 2at 950 C and 1.5 atm is produced. Determine the mass of aluminum metal produced, the mass of carbon consumed, and the \% yield of aluminum. Use the elemental balance method for your solution. what is the point-slope form of a line with slope -4 that contains the point (-2, 3) What does it cost to cook a chicken for 1 hour in an oven that operates at 20 Ampere and 220 Volt if the electric company charge 40 fils per kWh A. 264 Fils B. 528 Fils C. 352 Fils D. 176 Fils A packed absorption tower is to be used to remove SO 2 from a stack gas consisting of a mixture of SO 2 and air. The flow rate and SO 2 content of the gas mixture measured just before the packed tower are 25 m 3/min and 5.0 percent by volume, respectively. The working pressure is 1 atm and the temperature of the packed tower is 25C. Removal of 90 percent of the SO 2 is required, and water, initially pure with respect to SO 2, is to be used as the liquid solvent. The equilibrium line for SO 2 and water can be estimated by y=30x. Determine the flow rate of water that represents 150 percent of the minimum liquid requirement, type and size of packing, pressure drop, column diameter, and height of packing. Guess the cost of the packed tower. By plotting, show briefly the possible auxiliary units of this SO 2 removal unit. (Hint: x and y are mole fractions of SO 2 in liquid and gas phases, respectively and you can assume the overall gas phase mass transfer coefficient to be 2.010 4 kmol/5.m 2.atm.) Who is your favorite character in Candide? Feel free to interpret "favorite" any way you like (least irritating, most understandable, most interesting, etc).Explain why--and make sure you are using the reading. Use a quote from the text. Bally Manufacturing sent Intel Corporation an invoice for machinery with a $13,800 list price. Bally dated the invoice August 08 with 1/10 EOM terms. Intel receives a 20% trade discount. Intel pays the invoice on August 21. On August 1, Intel Corporation returns $800 of the machinery due to defects. What does Intel pay Bally on August 21? A tubular aluminum alloy [ G=4,000ksi] shaft is being designed to transmit 380hp at 2,400rpm. The maximum shear stress in the shaft must not exceed 8ksi, and the angle of twist is not to exceed 6^ in an 6ft length. Determine the minimum permissible outside diameter if the inside diameter is to be 5/6 of the outside diameter. Answer: D_min= in. Select two companies or use the same one for the B2B and B2C email blast. Filling in the blank lines, create the email blast (total of two email blasts). You need to know your customers. B2B Email Blast Company: Unique Selling Proposition: Subject Line: Day & Time to Send: Age: Gender: Income: Kids: Geography: Hobbies: Company: Unique Selling Proposition: Subject Line: Day & Time to Send: Age: Gender: Geography: Favorite Singers/TV Shows: Job Titles: B2C Email Blast Income: Favorite Stores to Shop: Types of Cars: Kids: Starbucks Order: Look at the picture below