__ view is a special view that you typically use when showing a presentation through two monito

Answers

Answer 1

Answer: presenter view

Explanation:

Presenter view is used to show a presentation from two displays such as laptop,monitor, projector screen


Related Questions

What are three requirements of information technology a. Accuracyb. _______________________________c. _______________________________d. _______________________________2. How much is spent annually on supply chain software?a. $1 billionb. $10 billionc. $100 billion3. Supply chain technology = software a. True b. False4. What activity is creating new demand for RFID technology? a. Store fulfillment of online ordersb. Tracking and delivery of construction materialsc. Hospital patient identification d. Amusement park ticketing5. What will be the next big innovation in supply chain technology?a. Driverless trucksb. Drone deliveryc. In-home 3D printingd. TeleportationLooking Ahead - Episodes 10-12 6.

Answers

Answer:

1b. Accessibility  1c. Efficiency  1d. Relevance

2. $10 billion

3. False

4. All of them

5. Drone Delivery

Explanation:

1. Information technology is the study or use of systems (especially computers and telecommunications) for storing, retrieving, and sending information and it must be accurate, accessible, efficient and relevant.

2. Every year about $10 billion is spent on SCM (supply chain management software).

3. supply chain is the network of all the individuals, organizations, resources, activities and technology involved in the creation and sale of a product, from the delivery of source materials from the supplier to the manufacturer, through to its eventual delivery to the end user while software are just virtual tools use in the day to day activities.

4. Every activity mention is creating a new demand for the radio-frequency identification technology.

5. Drone delivery

Which of the following peripherals would a company use to take inventory quickly and update price tags for products? (Choose two.)

A. Barcode scanner
B. Label printer
C. Magnetic reader
D. KVM switch
E. NFC device
F. Flatted scanner

Answers

Answer:

A and C

Explanation:

Inventory systems are software systems designed to keep track of goods or company assets, to feed in inputs mostly it uses some hardware devices. In a situation where there is a tag placed on the item Barcode scanner or magnetic reader is used to capture the item details and feeds it to the program which in turn, decrements the number of items in-stock, update price and generate report.

Write a class named Book containing:

a.Three instance variables named title, author, and tableOfContents of type String. The value of tableOfContents should be initialized to the empty string.
b.An instance variable named nextPage of type int, initialized to 1.
c.A constructor that accepts two String parameters.
d.The value of the first is used to initialize the value of title and the value of the second is used to initialize author. A method named addChapter that accepts two parameters.
e.The first, of type String, is the title of the chapter; the second, is an integer containing the number of pages in the chapter. addChapter appends (that is concatenates) a newline followed by the chapter title followed by the string "..." followed by the value of the nextPage instance variable to the tableOfContents.
f.The method also increases the value of nextPage by the number of pages in the chapter.
g.A method named getPages that accepts no parameters. getPages returns the number of pages in the book.
h.A method named getTableOfContents that accepts no parameters. getTableOfContents returns the values of the tableOfContents instance variable.
i.A method named toString that accepts no parameters. toString returns a String consisting of the value of title, followed by a newline character, followed by the value of author.

Answers

Answer:

class Book:

       def __init__(self, title, author):

               self.title = title

               self.author = author

               self.tableOfContents = ''

               self.nextPage = 1

       def addChapter(self, title, numberOfPages):

               self.tableOfContents += '\n{}...{}'.format(title, self.nextPage)

               self.nextPage += numberOfPages

       def getPages(self):

               return self.nextPage

       def getTableOfContents(self):

              return self.tableOfContents

       def toString(self):

              return '{}\n{}'.format(self.title, self.author)

book1 = Book('Learning Programming with Python', 'Andrew')

Explanation:

NB: Please do not ignore the way the code snippet text was indented. This is intentional and the Python interpreter uses spaces/indentation to mark the start and end of blocks of code

Python is a language that supports Object Oriented Programming(OOP). To define a constructor in a Python class, we make use of the syntax:

def __init__(self)

When an object is instantiated from the class, the __init__ method which acts as the constructor is the first method that is called. This method basically is where initialisation occurs. Consider this line of code in the snippet above:

book1 = Book('Learning Programming with Python', 'Andrew'). Here, book1 is an object of the class Book and during the creation of this instance, the title attribute was Learning Programming with Python and the author attribute was Andrew.

Now with the book1 object or instance created, we can now call different methods of the Book class on the instance like so:

book1.getPages()

The above runs the getPages function in the Book class. Notice that this method although has a self attribute in the function, this was not called: book1.getPages() evaluation. The idea behind that is the instance of the class or the object of the class is represented by the self attribute. The concepts of OOP can be overwhelming at first but it is really interesting. You can reach out to me for more explanation on this subject and I will be honoured to help out.

Which sentence follows all punctuation and capitalization rules?
A. Marios book, the money market, went on sale September 5, 2008.
B. Mario's book, The Money Market, went on sale September 5, 2008.
C. Marios book, The Money Market, went on sale September 5, 2008.
D. Mario's book, the money market, went on sale September 5, 2008.

Answers

Answer:

B. Mario's book, The Money Market, went on sale September 5, 2008.

The email administrator has suggested that a technique called SPF should be deployed. What issue does this address?

Answers

Answer:

It helps in preventing Domain name forgery

Explanation:

Sometimes email from your domain can be forged by a impostor they'll arrange email headers and make it look it it is from the original domain, SPF (sender policy framework) is a technique that can stop this type of email forgery this is done by specifying the servers permitted to send out mails from a particular domain. If SPF is ignored then there's a likelihood of an email from your domain sent that you are never aware of.

The Personnel Security Management Network (PSM Net) requires the use of an entity called a_______.

Answers

Answer:

The answer is "SMO".

Explanation:

SMO stands for Security Management Office, it is also known as PSM Net(Personnel Security Management Network). This is a term based on security partnerships with groups of entities rather than divisions or orgs.

It assigns the SMO to the categories of persons for which they are responsible. It enables SMO Safety Managers to take safety precautions, monitor and receive notifications from their employees.

Write a method called consecutive that accepts three integers as parameters and returns true if they are three consecutive numbers—that is, if the numbers can be arranged into an order such that, assuming some integer k, the parameters’ values are k, k 1, and k 2. Your method should return false if the integers are not consecutive. Note that order is not significant; your method should return the same result for the same three integers passed in any order. For example, the calls consecutive(1, 2, 3), consecutive(3, 2, 4), and consecutive(–10, –8, –9) would return true. The calls consecutive(3, 5, 7), consecutive(1, 2, 2), and consecutive(7, 7, 9) would return false.

Answers

Answer:

#include <iostream>

using namespace std;

void swap(int *a,int *b)

{

   int temp;

   temp=*a;

   *a=*b;

   *b=temp;

}

bool consecutive(int k1,int k2,int k3)

{

   int arr[]={k1,k2,k3};  //storing these variables into an array

   int i,j;

   for(i=0;i<3;i++)

   {

       for(j=i;j<3;j++)

       {

           if(arr[i]>arr[j])

           {

               swap(arr[i],arr[j]);  //swapping to sort these numbers

           }

       }

   }

   if((arr[1]==arr[0]+1)&&(arr[2]==arr[0]+2))  //checks if consecutive

       return true;

   else

       return false;

}

int main()

{

   int result=consecutive(6,4,5);   //storing in a result variable

   if(result==0)

       cout<<"false";

   else

       cout<<"true";

   return 0;

}

OUTPUT :

true

Explanation:

In the above code, it stores three elements into an array and then sorts the array in which it calls a method swap() which is also defined and interchanges values of 2 variables. Then after sorting these numbers in ascending order , it checks if numbers are consecutive or not, if it is true, it returns true otherwise it return false.

Given the following declaration of a field in a class: public static final String GREETING = "Hi";
Which of these statements is not true?

a) Each object of this class can access GREETING
b) The value of greeting can’t be changed in any methods
c) Each object of this class has its own copy of GREETING
d) GREETING.length() = 2
e) GREETING.toUpperCase() = "HI"

Answers

Answer:

Each object of this class has its own copy of GREETING

Explanation:

option c: Each object of this class has it’s own copy of GREETING

This is the only false statement.  When a variable is preceded by the Static key word only one copy of that variable is created, no matter the amount of object created from the instance of that class.

option a: Each object of this class can access GREETING, this is true.

option b: The value of GREETING can’t be changed in any methods, this is true because GREETING is preceded by the keyword final.

option d: GREETING.length() = 2, this is true because the method length() is use to get the length of the string "Hi" which is 2.

option e: GREETING.toUpperCase() = "HI", this is also true because the method toUpperCase()  convert all the character of "Hi" to uppercase.

Note: All these are peculiar to java programming language.

Final answer:

Explanation of the incorrect statements regarding the static field declaration in a Java class.

Explanation:

b) The value of greeting can’t be changed in any method: This statement is not true because even though the field is declared as 'final', it can still be accessed and modified using reflection.

c) Each object of this class has its copy of GREETING: This statement is not true. Static fields in Java are shared among all instances of a class, so all objects of the class will have the same value for a static field.

d) GREETING.length() = 2: This is true since the length of the string 'Hi' is 2.

In what kind of recovery does the DBMS use the log to enter changes made to a database since the last save or backup?

Answers

Answer:

Forward  are the correct answer

Explanation:

The following answer is correct because the forward recovery is the recovery in which the DBMS uses the log to change the database by using the save or backup that is last time done by the users and it is also used to restore to the last backup database system if the user creates the backup of their database.

An environment where consumers can share their shopping experiences with one another by viewing products, chatting, or texting about brands, products, and services is an example of:___________________________.
a) network notification.
b) collaborative shopping.
c) web personal marketing.
d) social sign-on.
e) social search.

Answers

Answer:

C) Web Personal Marketing

Explanation:

This form of marketing is when you make posts and other such things to market your goods and other things and make a case as to why others should also participate in purchasing this thing. Given the answer choices this is the most accurate answer,

An environment where consumers can share their shopping experiences with one another by viewing products, etc is known as collaborative shopping.

Collaborative shopping simply means an activity where a consumer shops at an eCommerce website. It's an innovative application of augmented reality that is used in combination with social media.

Collaborative shopping is an environment where consumers can share their shopping experiences with one another by viewing products or texting about brands.

Read related link on:

https://brainly.com/question/25100461

Consider the expression 3 * 2 ^ 2 < 16 5 AndAlso 100 / 10 * 2 > 15 - 3. Which operation is performed second?

Answers

Answer:

In the first expression

3 * 4 will be performed second.

In the second expression

10* 2  will be performed second.

Explanation:

In many programming language, there is an operator precedence where the operator (e.g. +, - , * , / etc) will be executed following a specific order. For example, the operator ^ which denotes power will always be executed prior to * or /    and if / and * exist in the same expression, the operator positioned at the left will be executed first.

Hence, in the expression 3*2^2 < 16 , 2 will be powered to 2 (2^2) first and then only multiplied with 3.

In the expression 100 / 10 * 2 > 15 - 3,  100 will be divided by 10 and then only multiplied with 2.

This is the most flexible way to create a query. Used to create queries that displays only the records that match criteria entered in the Query Design view.

Answers

Answer:

Query Wizard

Explanation:

We can use the Query Wizard to automatically create a selection query, but in this case, we have less control in our details of the query design, it's the fastest way to create a query, even detect some design errors.

Steps to use the Query Wizard

1) In the Queries group on the Create, click Query Wizard

2) Add fields

3) On the last page of the wizard, add a title to the query

Now let's create a memo. The memo should include all parts of a memo, and these parts should appear in the correct order. In your memo, give three new employees directions for starting the computer and opening a word-processing document. The employees' names are Stacy Shoe, Allen Sock, and Emma Johnson.

Answers

Answer:

MEMORANDUM

TO: Stacy Shoe, Allen Sock, and Emma Johnson.

FROM: Department of Information

DATE: 20th of December, 2019

SUBJECT: Computer Operations

The following is an illustration of how to start a computer and how to open an existing word processing document. For clarity and ease of understanding, this will be divided into two subheadings. All questions should be directed to the department of information.

START A COMPUTER

Step 1: Press the start button on the CPU tower.

Step 2: Wait while the computer boots. When the computer has finished booting, it will show a dialogue box that will ask for a user name and password.

Step 3: Enter your user name and password, then click

"OK."

Step 4: Your computer is now ready to use.

OPENING A WORD PROCESSING DOCUMENT

To open any word processing documents, you can use any of the options below.

1. Double-click file

In some cases, you can double-click a file to open it in Microsoft Word. However, the file will only open in Microsoft Word if that file type is associated with Microsoft Word. Word documents, like .doc and .docx files, are associated with Microsoft Word by default. However, web page files, text, and rich text format files are often not associated with Word by default, so double-clicking on these files may open in another program.

2. Right-click file and select program

For any file, you can choose the program to open a file with, including Microsoft Word.

Step 1: Right-click the file you want to open.

Step 2: In the pop-up menu, select the Open with option.

Step 3: If available, choose the Microsoft Word program option in the Open with menu. If Microsoft Word is not listed, select the Choose other app or Choose default program option, depending on the

Step 4: In the window that opens, find Microsoft Word in the program list and select that option. Microsoft Word should open and the file opened within Word.

3. Open within Microsoft Word

Follow the steps below to open a file from within Microsoft Word.

Step 1: Open the Microsoft Word program.

Step 2: Click the File tab on the Ribbon and click the Open option.

Step 3: If the Open window does not appear, click the Browse option to open that window.

Step 4: In the Open window, find and select the file you want to open in Microsoft Word. You may need to click the drop-down list next to the File name text field to change the file type to that of the file you want to select and open.

Step 5: Click the Open button at the bottom right of the Open window.

As stated above, all questions are to be directed to the department of information.

Thanks.

Explanation:

Final answer:

A memo for new employees should include directions on how to start their computers and open a word-processing document, in the correct order of steps with a professional and friendly tone.

Explanation:

Memo Writing Directions for New Employees

To: Stacy Shoe, Allen Sock, Emma Johnson

From: [Your Name]

Date: [Current Date]

Subject: Starting Your Computer and Opening a Word-Processing Document

Welcome to the team! As new employees, it's important to get started on the right foot with the basics of using your company-issued computer. Please follow these instructions to start your computer and access a word-processing document:


 Press the power button located on the front or top of your computer tower, or on the side of your laptop.
 Once the computer boots up, log in with the credentials provided to you by the IT department.
 After logging in, click on the 'Start' menu at the bottom left corner of the screen.
 In the 'Start' menu, type 'Word' in the search box and press 'Enter' or click on the word-processing application, such as Microsoft Word, from the list of programs.
 Once the word-processing software opens, you can begin creating your document by clicking on 'New Document'.

If you have any questions or need further assistance, please do not hesitate to reach out to the IT support team.

Best regards,

[Your Name]

IT Coordinator

Sherri has recently been injured. She is having a problem using her left hand and would like to use a stylus to move her mouse around the screen on her laptop computer. What device can Sherri add to her system to allow a non-touch screen laptop to use a stylus to manipulate the screen?a. Inverterb. OLEDc. Touch screend. Digitizer

Answers

Answer:

d) Digitizer

Explanation:

In computing a digitizer refers to a piece of hardware that converts analogue input to digits. Analog signals refers to signals that are in a continuous range such as light, sound and records. A digitizer therefore basically gets signals from (touch, sound, light etc.) and transforms and transports it to the CPU. On a tablet or laptop, the signals will received from the finger of a stylus (digital pen).

Phil wants to add a new video card, and he is sure the power supply is sufficient to run the new video card. But when he tries to locate the power connector for the new video card, he does not find a 6-pin PCI-E power connector. He has several extra cables for hard drive power cables from his power supply that he is not using.What is the least expensive way for Phil to power his video card?

A. Use a SATA to 6 pin PCI-E adapter.
B. Change the dual voltage option.
C. Purchase a new power supply.
D. You will not be able to add the video card to the system

Answers

Answer:

A. Use a SATA to 6 pin PCI-e adapter.

Explanation:

SATA cables or connectors, also known as serial ATA, are usually meant for installing optical drives and hard drives. Unlike its counterpart (PATA), it is much faster in speed and can hot swap devices, that is, devices can be installed with shutting down the system.

PCIe are extension adapter cables in PC, used for the purpose of connecting peripheral devices like video cards, networt card etc.

A SATA to PCIe adapter cable can be used to power the video card to be installed. It is cheaper and faster than other options.

Which statement best describes a scientific theory? A. It is supported by many different experiments. B. It is considered false until proven true. C. It is true and can never be changed. D. It is an educated guess that requires no testing. Apex learning

Answers

Answer:

I think its A. It is supported by many different experiments.

Explanation:

Final answer:

A scientific theory is an extensive explanation for phenomena of the natural world that is heavily supported by evidence from many experiments and observations. It is not just an educated guess, and while robust and well-substantiated, a theory is open to revision with new conflicting evidence.

Explanation:

A scientific theory is a comprehensive and well-substantiated explanation for a set of verified facts and observations about the natural world. It is supported by many different experiments and evidence from various lines of research, often spanning numerous disciplines. Scientific theories are not mere guesses—they are based on evidence that has been rigorously tested and repeatedly confirmed. For instance, the theory of evolution and the theory of plate tectonics are supported by a vast body of evidence and are widely accepted by the scientific community. These theories also provide powerful explanations that describe, explain, and predict natural phenomena and are always open to reassessment as new data emerges.

It is important to note that a scientific theory is different from an educated guess, which would be more accurately referred to as a hypothesis in scientific terminology. Additionally, while scientific theories are robust and well-supported, they are not immutable. If new evidence arises that contradicts a current theory, the scientific community must revisit and potentially revise the theory to account for the new information.

Which of these is NOT a basic security protection for information that cryptography can provide?
A. authenticity
B. risk loss
C. integrity
D. confidentiality

Answers

Answer:

B. risk loss

Explanation:

Risk loss is not a basic security protection for information that cryptography can provide.

Answer:

Which of these is NOT a basic security protection for information that cryptography can provide?

B: Risk Loss

A cloud file system (CFS) allows users or applications to directly manipulate files that reside on the cloud.

Answers

Answer:

True is the correct answer for the above question.

Explanation:

A CFS(cloud file system) is used to create a spoke and hub method for the data distribution in which hub is a storage area situated on the central part of the cloud system. It is located in a public cloud provider like AWS.

It uses to manipulate the file for the purpose of data distribution so that it can store the file on the cloud easily with the available some spaces only.

It provides access to the user that they can manipulate the file for their needs if the files are available on the cloud.

The question scenario also states the same which is described above hence It is a true statement.

Insecurely attached infants who are left my their mothers in an unfamiliar setting often will
A. Hold fast in their mothers in their returnB. Explore the new surroundings confidentlyC. Be indifferent toward their mothers on their returnD. Display little emotion any time

Answers

Insecurely attached infants who are left my their mothers in an unfamiliar setting often will Hold fast in their mothers in their return.

A. Hold fast in their mothers in their return

Explanation:

It is in the conscience of the infants to have the company of their parents no matter the place or time and do not generally like to be left alone. Moreover, the questions says, insecurely attached infants which further add up to this behavior.

The infant would not explore the surroundings due to lack of confidence in an unfamiliar setting. They would rather be uncomfortable and most probably weep the time until their mother arrives and hold fast on to them on their return.  

A(n) ________ is an information system used to deliver e-learning courses, track student progress, manage educational records, and offer other features such as online registration, assessment tools, collaborative technologies, and payment processing.

Answers

Answer:

The correct answer for the following question will be Learning Management System (LMS).

Explanation:

For the delivery of educational courses, programs and training the Learning management system (LMS) is used. It delivers student progress, some educational records including assessment tools, registration and payment processing. Delivers all kinds of learning information content including audios, videos, text, and documents.

Some features of LMS :

Users feedbackManaging coursesTrack student attendance

What does backbone cabling consist of?
Select one:

a. Short length cables with connectors at both ends.
b. It is cabling that connects workstations to the closest data room and to switches housed in the room.
c. The cables or wireless links that provide interconnection between the entrance facility and MDF, and between the MDF and IDFs.
d. The shielded cables that are used for high data transmission rates between an organization and an ISP.

Answers

Answer:

Option (C) is the correct answer.

Explanation:

Backbone cabling is a type of structured cabling. As the name suggests it is used to connect equipment rooms, telecommunication rooms, and entrance facilities. These are typically done from floor to floor. It can be a form of UTP cable, STP cable, coaxial cable or fiber optic cable. It gives the facility of interconnection.

Option C also suggests the concept which is used above hence it is the correct answer. while other options are not valid because-

Option "a" states that it is a short length cable, It is a concept of Horizontal Cable.

Option b also states about the concept of Horizontal cable.

Option d states about the shielded cable.

When using the Insert Function button or the AutoSum list arrow, it is necessary to type the equal sign. True or False?

Answers

Answer:

False

Explanation:

It is a general rule for all formulas in Excel  and other spreadsheet programs like OpenOffice Calc to begin with the equality (=) sign. However in MS-Excel, when using a function like the AutoSum and Insert as stated in this question scenario, clicking on any of of this functions' button automatically writes out the equality sign. So it will not be necessary to type the equality sign

It is false that typing the equal sign is necessary when using the Insert Function button or the AutoSum list arrow in Excel, as Excel automatically includes the equal sign for these functions.

Insert Function and AutoSum in Excel

It is false that typing the equal sign is necessary when using the Insert Function button or the AutoSum list arrow in Excel. Typically, when you initiate a function through these tools, Excel automatically includes the equal sign at the beginning of the expression. For instance, using the AutoSum feature, Excel will generate a formula (usually a SUM function) that already starts with an equal sign, which precedes the function and its arguments.

Excel formulas are indeed expressions that start with an equal sign and they can be used in calculations and produce results that may include numbers, text, operators, and/or functions. To insert a function quickly, you can also use the keyboard shortcut "Alt" + "=" without typing the equal sign manually.

Entering a formula directly in a cell will also require beginning the input with an equal sign, and in some cases, such as when you're typing the formula manually or editing an existing formula, including the equal sign is essential to let Excel know that what follows is an expression to be evaluated.

Where would be the most likely place to find the keyboard combination used to toggle a keyboard backlight on or off?
In the keyboard manual
It is always Ctrl + Page Up
On the side of the keyboard
Under the keyboard

Answers

Answer:

In the keyboard manual

Explanation:

A manual is the document that is provided along with the devices or machines to learn about different functionalities and operations. As different model of devices and machines have different operations and functions, that may have different manuals.  

Laptop have different brands and all brands have some different keyboard functionalities so they provide their users manuals for their device. We can turn off or on the key board light by reading key board manual. Because different model of laptops have different keys combinations for this particular purpose.

Johnny is a member of the hacking group Orpheus1. He is currently working on breaking into the Department of Defense's front end Exchange Server. He was able to get into the server, located in a DMZ, by using an unused service account that had a very weak password that he was able to guess. Johnny wants to crack the administrator password, but does not have a lot of time to crack it. He wants to use a tool that already has the LM hashes computed for all possible permutations of the administrator password. What tool would be best used to accomplish this?

A. SMBCrack
B. SmurfCrack
C. PSCrack
D. RainbowTables

Answers

Answer:

RainbowTables

Explanation:

RainbowTables is the best option when the cracker has limited time.

You are rolling a toy truck to Tim, and infant, when the truck rolls out of sight. If Tim makes an effort to search for the truck, he is exhibiting:__________.

Answers

Answer:

In the given question, Tim is exhibiting object permanence.                

Explanation:

Object permanence is the comprehension that an object continues to exist even when it cannot be perceived in any way which means that when object cannot be sensed ( heard,seen,touched).  

It is a basic concept of developmental psychology, that deals with the development of young children's social and mental capacities. It was studied and presented by developmental psychologist Jean Piaget . According to Piaget, object permanence is a significant developmental stage in the first two years of a child’s life. Piaget proposed a series of 6 stages which describes when and how object permanence advances  during the first two years of life.  Children first begin to develop an idea of object permanence at around 8 months old. Other studies shows that this ability begins at a younger age.

1. Using tracking code, Google Analytics can report on data from which systems?'

Answers

Answer:

The following are the answer to the question.

E-commerce platforms Mobile Applications Online point-of-sales systems

Explanation:

Because these are the systems that are used to report on data to Google Analytics.

E-commerce platforms: are referred to that platform which provide the facility of the online shopping without the broker's interference. Mobile Application: are referred to that provide entertainment, and by which the users can accomplish their works on time or which they can save their time also. Online point of sale system: POS system is referred to as a system that provides the online payment system which is offered by the companies.

To move or copy a range of cells, select the correct order:
1. Move the pointer over the border of the selection until the pointer changes shape.
2. Select the cell or range you want to move or copy.
3. To move the range, click the border and drag the selection to a new location, or to copy the range, hold down the Ctrl key and drag the selection to a new location.

Answers

Answer:

Correct Order

2. Select the cell or range you want to move or copy.

1. Move the pointer over the border of the selection until the pointer changes shape.

3. To move the range, click the border and drag the selection to a new location, or to copy the range, hold down the Ctrl key and drag the selection to a new location.

Explanation:

To move or copy range of cells in MS Excel, You first select the cell/range you want to move or copy, hover the mouse pointer and take note when it changes shape, then finally click the border (when you noticed the change of shape of the pointer) and hold down the ctrl key and drag it to the destination location.

Final answer:

To move or copy a range of cells, select the range, hover over the border so the cursor changes shape, and then drag to the new location with or without holding Ctrl for copying. Utilizing Excel's features like cherry-picking for non-contiguous cells and AutoFill for formulas enhances productivity and accuracy.

Explanation:

To move or copy a range of cells in applications like Microsoft Excel, you should follow these steps:

Select the cell or range you want to move or copy.Move the pointer over the border of the selection until the pointer changes shape.To move the range, click the border and drag the selection to a new location. To copy the range, hold down the Ctrl key and drag the selection to a new location.

Selecting non-contiguous cells can be done by clicking the first cell, holding down the Ctrl key, and clicking each additional cell you want to include. This method, known as "cherry-picking" cells, allows for flexibility in selecting a range that is not adjacent. Similarly, utilizing keyboard shortcuts like Ctrl+A can select the entire worksheet while the Ctrl key can also help in selecting non-adjacent rows or columns.

To perform actions like cut, copy, and paste, Excel utilizes the Clipboard, where data is temporarily stored when it is cut (using Ctrl+X) or copied (using Ctrl+C). You can then paste the data (using Ctrl+V) to the desired destination. Taking advantage of Excel's AutoFill feature can save time when copying and pasting formulas, which updates relative cell references automatically.

When performing data analysis or formatting, it's important to first highlight the correct data range. It should be noted that blank rows and columns in a dataset can affect the auto-selection of a data range in Excel for tasks such as sorting.

You are expecting an important letter in the mail. As the regular delivery time approaches, you glance more and more frequently out the window, searching for the letter carrier. Your behavior in this situation typifies that associated with which schedule of reinforcement?

Answers

Answer:

pigeons are biologically predisposed to flap their wings in order to escape aversive events and to use their beaks to obtain food

Explanation:

Final answer:

The behavior of frequently checking for the mail carrier is an example of a variable interval schedule of reinforcement, where rewards are given at unpredictable time intervals, producing a steady response rate.

Explanation:

Your behavior of glancing out of the window frequently as the regular delivery time approaches is typical of what is known as a variable interval schedule of reinforcement. This schedule provides reinforcement at unpredictable time intervals, leading to a moderate, steady rate of the behavior in anticipation of the reinforcement (in this case, the arrival of the letter carrier).

Unlike continuous schedules where the behavior is reinforced every time, or fixed-ratio schedules where reinforcement is given after a set number of responses, variable interval schedules do not specify when the next reinforcement will be given after the last one, causing the constant anticipation of the reward.

Multitasking is: Group of answer choices

A. the ability within a program which allows multiple parts or threads to run simultaneously.
B. the capability in an OS which supports a division of labor amoung all of the processing units.
C. a situation in which instructions and data from one area of memory overflow into memory allocated to another program.
D. the capability in an OS which allows two or more tasks, jobs,or processes to run simultaneously.

Answers

Answer:

Option (A) and (D) are the correct suitable answer for the above question.

Explanation:

Multitasking is a concept in which multiple events are occurring at the same time. It is a processor power that can able to handle multiple tasks simultaneously in the same unit of time.

Practically, the events are not occurring at the same amount of time but it seems to the user that task is performing simultaneously because of processor switching. In processor switching, the processor switches the task one by one and performs them but it is so fast. Hence the user seems that the task is performing simultaneously.

Another option does not make any sense for the above question because--

Option b justify for the division of tasks not to do multiple tasks in a single unit of time.

Option C justifies the concept of memory allocation.

________________consist of rules that define network security policies and governs the rights and privileges of uses of a specific system.

Answers

Answer:

Access control list(ACL).

Explanation:

Access control list(ACL) gives the instruction to the operating system about the network security policies and it also governs the rights and privileges of uses of a specific system.In each operating system, the system object is combined with the access control list. The access control list is a collection of one or more access control entries.

The main advantage of the access control list it provides flexibility in network security.

Other Questions
Hen current increases and resistance remains constant what must happen to voltage? A) Voltage must decrease. B) Voltage must increase. C) Voltage will remain the same. D) Voltage is not affected by current and resistance. 8. What is the slope of a line perpendicular tothe line y = -3x - 2 How do Ernesto in Barrio Boy and the boy in "A Day's Wait" show bravery? A. Ernesto tells Miss Ryan that he is afraid of her because she is tall; the boy tells his father that he is afraid of dying. B. Ernesto never says that he is afraid of attending school in America; the boy never says that he is afraid of dying. C. Ernesto refuses to speak in class until he has mastered the pronunciation of "butterfly"; the boy tells his father that he is afraid of dying. D. Ernesto makes friends with other children whose families do not speak English at home; the boy declares that he is afraid of dying. 1/4 + 1/8= I know it should be easy but my teacher told me that we can't add fractions if they have different denominators. Now if you are going to explain the to me I am in 5th grade so please don't make it to complicated.Thank you. Pancreatic amylase is secreted by the pancreas into the __________, where the majority of carbohydrate digestion occurs. Read this text from a biographical website dedicated to "Shoeless" Joe Jackson:There was no time for school, and Joe never learned to read or write. He probably would have spent the rest of his life working in the textile mill except for one thingbaseball.Which paraphrase best avoids issues of plagiarism? With little time for education, Joe did not learn to read and would have worked all his life in the mill without baseball. Because there was no time for school, Joe never learned to read or write and probably would have spent the rest of his life working in the textile mill except for one thingbaseball. He would have spent his life working in the textile mill except for baseball because there was no time for school, and Joe never learned to read or write. Joe never learned to read or write since there was no time for school, and he would have worked his whole life in the textile mill without baseball. If you were attending the Coban Folkloric Festival in Guatemala , what event would you prepare for in the festival ? People selling food People with painted faces A traditional dance An art exhibit As the honeybees stinger is heavily barbed, staying where it is inserted, this results in the act of stinging causing the bee to sustain a fatal injury.A.As the honeybees stinger is heavily barbed, staying where it is inserted, this results in the act of stinging causing B.As the heavily barbed stinger of the honeybee stays where it is inserted, with the result that the act of stinging causes C.The honeybees stinger, heavily barbed and staying where it is inserted, results in the fact that the act of stinging causes D.The heavily barbed stinger of the honeybee stays where it is inserted, and results in the act of stinging causing E.The honeybees stinger is heavily barbed and stays where it is inserted, with the result that the act of stinging causes The two cars collide at right angles in the intersection of two icy roads. Car A has a mass of 1965 kg and car B has a mass of 1245 kg. The cars become entangled and move off together with a common velocity in the direction indicated. If car A was traveling 52 km/h at the instant of impact, compute the corresponding velocity of car B just before impact. _____________ refers to the processes that facilitate or hinder reactivity. answer asap or no kneecaps I need help with 21 please what is the volume of the prism A car has a velocity of 26 m/s and goes down to 8 m/s as it approaches traffic. Was the some sort of acceleration?Your answer:YesNoMaybe so Which of the following sentences from Susan B. Anthony's speech "AfterBeing Convicted of Voting" best demonstrates her use of pathos to build herargument? a mi me gustar las clases A sequence is defined by the recursive function f(n + 1) = one-halff(n). If f(3) = 9 , what is f(1) ? Johnson Corp. has an 8% required rate of return. It's considering a project that would provide annual cost savings of $50,000 for 5 years. The most that Johnson would be willing to spend on this project is Present Value PV of an Annuity Year of 1 at 8% of 1 at 8% 1 .926 .926 2 .857 1.783 3 .794 2.577 4 .735 3.312 5 .681 3.993 Select one: a. $125,910. b. $165,600. c. $199,650. d. $34,050. Choose the word that best completes the phrase.Est _____ .lluevelloverlloviendolluvia you run into a friend of yours. She is with a girl you don't know. Complete the following dialogue with the logical answer:- Je te presente Yolande.- ____________! A. Merci!B. Au revoir!C. Enchantee!D. A bientt! Steam Workshop Downloader