You use the same finger to click the enter and backspace key.
1. True
2. False

Answers

Answer 1

Answer:

True

Explanation:

Given

Enter key

Backspace key

Required

Same finger for both keys?

To click the enter key, the finger to use is the 4th finger on the right hand

To click the backspace key, the finger to use is the 4th finger on the right hand

Since the finger to use on both key is the 4th finger on the right hand, then the given statement is true.

Answer 2

Answer:

true

Explanation:


Related Questions

1. What does a computer
network allow computers to
share?
*
Resources
Mice
Electricity
Screen​

Answers

Answer:

Resources

Explanation:

::::::::::::::::::::::

Answer:

Resources I'm pretty sure

Explanation:

idontknow

39 POINTS !
Okay so basically I have a 60 percent keyboard, and it’s LED perfect in shape jkeyboard okay.
I try connecting it to my ps4 and it’s detected but it won’t light up nor will any of the keys respond.
I have tried resetting my ps4
Iv’e tried unplugging and replacing in
I’ve tried holding FN and N to disable the n rollkey
I be tried plugging it into a pc
But nothing wors does anyone know how to fix it?

Answers

Answer:

Contact a service center electronics management

Answer:

take it back to the store with your the receipt and get a new one

What do you suggest for Father's Day?​

Answers

A gift or maybe something homemade that means something special to you and or you dad

Match each with the correct answer.
1. Practice 4.2
Match the CPU part to its definition.
1. ________ arithmetic logic unit. (ALU)
2. ________ bus unit.
3. ________ cache.
4. ________ control unit.
5. ________ decode unit.
6. ________ regular unit.

-options
A. Decodes instructions and data and transmits the data to other areas in an understandable format.

B. Contains many separate, smaller storage units.

C. Connects all the other major components together, accepts data, and sends data through the input and output bus sections.

D. Control of the overall operations of the CPU.

E. Performs mathematical functions on data stored in the register area.

F. Small temporary memory area that separates and stores income data and instructions.

Answers

Answer:

1. E

2. C

3. F

4. D

5. A

6. B

Explanation:

CPU: this is known as the central processing unit and it is considered to be the brain of a computer system. It is the system unit where all of the processing and logical control of a computer system takes place.

A. Decode unit: decodes instructions and data and transmits the data to other areas in an understandable format.

B. Register unit: contains many separate, smaller storage units. Modern CPUs need only a few nanoseconds to execute an instruction when all operands are in its registers.

C. Bus unit: it is used to connect all the other major components together, accepts data, and sends data through the input and output bus sections.

D. Control unit: control of the overall operations of the CPU. The component of the central processing unit (CPU) that controls the overall operation of a computer is the control unit. It comprises of circuitry that makes use of electrical signals to direct the operations of all parts of the computer system. Also, it instructs the input and output device (I/O devices) and the arithmetic logic unit how to respond to informations sent to the processor.

E. Arithmetic logic unit (ALU): performs mathematical functions on data stored in the register area.

F. Cache: small temporary memory area that separates and stores income data and instructions.

Write a loop that displays your name 10 times. 2. Write a loop that displays all the odd numbers from 1 through 49. 3. Write a loop that displays every fifth number from 0 through 100. 4. Write a code sample that uses a loop to write the numbers from 1 through 10 to a file. 5. Assume that a file named People.txt contains a list of names. Write a code sample that uses a while loop to read the file and display its contents in a ListBox control.

Answers

Answer:

Kindly check explanation

Explanation:

(1.)

n = 0

While n < 10 :

n+=1

print('fichoh')

# initiate counter n = 0 ; set condition, while n is not equal to 10 ; it print 'fichoh' and counter is increased by 1. This terminates once it reaches 10.

(2.)

for number in range(1,50):

if number%2 != 0 :

print(number)

#An odd number won't have a remainder of 0 when Divided by 2 ; so, for numbers 1 to 49 using the range function, if the number is divided by 2 and leaves a remainder other Than 0, such number is displayed

(3.)

for number in range(0,101,5):

print(number)

# Using the range function, starting from 0 to 100; it is number in the for loop is incremented by 5 and displayed.

(4.)

outfile = open('my_file.txt', 'w')

for n in range(0,11):

outfile.write(str(n))

outfile.close()

#open, 'w' creates a text file, my_text.txt and writes into it ; using the range function, numbers 0 to 10 is written into the created file.

5.)

name_file = open('People.txt', 'r')

While name_file:

out_file = name_file.readline()

if out_file = ' ' :

break

name_file.close()

names = name

#Open, 'r' ; opens and read from the file People.txt ;

#readline reads the content of the opened text file into a list out_file ; using the if ' ', the loop terminates once an empty content is read.

(Occurrence of max numbers) Write a program that reads integers, finds the largest of them, and counts its occurrences. Assume that the input ends with number 0. Suppose that you entered 3 5 2 5 5 5 0; the program finds that the largest is 5 and the occurrence count for 5 is 4. Hint: Maintain two variables, max and count. max stores the current max number and count stores its occurrences. Initially, assign the first number to max and 1 to count. Compare each subsequent number with max. If the number is greater than max, assign it to max and reset count to 1. If the number is equal to max, increment count by 1. Sample Run 1 Enter an integer (0: for end of input): 3 Enter an integer (0: for end of input): 5 Enter an integer (0: for end of input): 2 Enter an integer (0: for end of input): 5 Enter an integer (0: for end of input): 5 Enter an integer (0: for end of input): 5 Enter an integer (0: for end of input): 0 The largest number is 5 The occurrence count of the largest number is 4 Sample Run 2 Enter an integer (0: for end of input): 0 No numbers are entered except 0 Class Name: Exercise05_41

Answers

Answer:

Following are the code to the given question:

#include <iostream>//header file

using namespace std;

int main() //main method

{

int n=0,a[1000],c=0,val=10,ma=0;//defining integer variable

cin>>val;//input value

while(val!=0)//defining while loop that checks val is not equal to 0

{

a[n++]=val;//add value in array

cout<<"Enter an integer (0: for end of input):";//print message

cin>>val;//input value

}

for(int i=0;i<n;i++)//loop for finding the maximum in the array.

{

   ma=max(a[i],ma);//holding max value in ma variable

}

for(int i=0;i<n;i++)//loop for counting the occurence of maximum.

{

   if(a[i]==ma)//use if to check maximum value in array

   c++;//incrementing count value

}

cout<<"The maximum value is "<<ma<<" The count of maximum value is "<<c<<endl;//print result

return 0;

}

output:

Please find the attachment file.

Explanation:

In this code inside the main method, an integer variable is declared that input values and use while loop to check first input if the value is true it will accept value from the user and adds in the array.

In the next step, two for loop is declared that checks the max value and in the next loop it will count the number of maximum value which is occurring.

why is this code giving me syntax errors on the colons and on print
print("Press enter to start program")
mark = input()
speed = int(input(Enter Mark")
if mark = >60+
print("Passed")
elif 1 <= mark >= 40:
print (“FAILED")

Answers

Answer:

Explanation:

You did not give double quotations in Enter Mark part

you did not give colon in if mark = > 60 :

Searching for Venom !!

help me find him lol​

Answers

Answer:

Venom is widely distributed taxonomically, being found in both invertebrates and vertebrates; in aquatic and terrestrial animals; and among both predators and prey.

Explanation:

[tex] \red{hope \: u \: find \: venom \: asap}[/tex]

Explanation:

[tex]are \: you \: searching \: for \: me \: [/tex]

Identify the error and write correct HTML program 5
Cyber Bullying Tips<\head>
Don’t Respond Talk to a trusted adult
<|html>

Answers

Answer:

1. <BODY background = ‘‘red”>

2. <FONT type =‘‘arial ”>

Explanation:

Answer:

<html>

<head> Cyber Bullying Tips </head>

<body>

Don't Respond, Talk to a trusted adult

</body>

</html>

Hope this helps!

You have been asked to install a WLAN for a small business. You centrally locate the WAP in a large room that contains about 15 cubicles where employees work with their mobile devices. You test connectivity from all locations and find that signal strength is good throughout the room. Several months later, you are called to troubleshoot connectivity problems at the site. You find that the large room was divided into two smaller rooms by a floor to ceiling wall with metal studs. What is the most likely reason for the connectivity problems

Answers

Answer:

interference

Explanation:

The most likely reason for the connectivity problems is interference. This interference can be caused by many factors but in this scenario the most likely factor would be the metal studs and all the metal used to create the ceiling/floor. Metal is a huge interference when it comes to wifi signals. Depending on the type of metal and the amount it can greatly diminish the signal strength or even completely prevent the signal from passing to it's destination, regardless of how close the destination device is located.

supondo que um usuario pretende montar um rede em sua casa com varios computadores.Que classificaçao essa rede se enquadraria?

Answers

Answer:

Intranet.

Explanation:

Una intranet es una red de área local que está aislada para que la utilice un grupo específico. Por lo general, una intranet se refiere a la red de área local de una organización que se utiliza para las comunicaciones y las actividades informáticas dentro de la comunidad. Una intranet también se conoce como un servicio interno en línea limitado al uso del personal de la organización.

Tradicionalmente, el uso principal de las intranets ha sido la creación de repositorios que puedan actualizarse rápidamente cuando la situación así lo requiera. Los contenidos típicos de la intranet incluyen, por ejemplo, catálogos de productos, manuales de empleados, directorios telefónicos e información de personal. En el siglo XXI, las organizaciones utilizan intranets para compartir información, intercambiar ideas y trabajar en proyectos conjuntos, independientemente de la ubicación física de los empleados.

Outline the dangers arising as a result of using computers​

Answers

Answer:

Visual impairment

Physical Health problem

Explanation:

The benefits of computers are so numerous a d has been an essential business and educational tool every organization must possess for one purpose or the other. Such is how immense its importance is. However, the computer also comes with it's own risk, which may include :

Visual impairment is a major problem most computer users face or will likely encounter in the future due to prolonged exposure of the eyes to the light emanating from the screen. This visual challenge is populary called the. Computer Vision Syndrome.

Similarly, related health related issues affecting the physical body such as the back, hip, neck pains which result from postural position when using the computer.

a DVD looks just like a CD, but it holds less information​ true or false

Answers

Answer:

False

Explanation:

A DVD can hold more information because it is basically a double sided CD where it gets information on both sides whereas on a CD, you only read one side. On CDs, people can put stuff like stickers or whatever on one side while the important side is uncovered.

Question 3
There was a thunderstorm in your area and the power went out.
The traffic lights are not functioning.
• What is the first thing the law requires you to do when you arrive at an intersection?
Explain what you should do if there is an officer directing traffic.
.

Answers

The Answer Should Be:

The first thing for you to do when you arrive at an intersection is to stop at the traffic light. Your going to want to listen to the instructions or signals of the traffic Police.

I Hope This Helps? :)

the computer that communicate with each other are called ______please ask the answer in 15 minutes after 1 p.m. ​

Answers

The computers that communicate with each other are called [tex]\sf\purple{transmission \:control\: protocol\: (TCP)}[/tex].

[tex]\large\mathfrak{{\pmb{\underline{\orange{Happy\:learning }}{\orange{!}}}}}[/tex]

Type the correct answer in each box. Spell all words correctly. What is the name of the process of checking the client's production environment to ensure software and hardware compatibility with new products? The process of checking the client's production environment to ensure software and hardware compatibility with new products, is known as .

Answers

Answer: Software testing

Explanation:

Software testing refers to testing for the compatibility of the client's device with the software or hardware product being offered.

In order for the client to be able to use the software, it needs to be compatible with both the software already in the client device as well as the hardware. If it isn't, the product will not be able to add much value to the client's device which would mean that it is not fulfilling it's required functions.

Using filtering as a strategy to deal with information overload requires Group of answer choices reviewing all unsolicited information presented. determining what information you may need and what information merits attention. using Wikipedia to verify information. disconnecting from sources of information completely. requesting references for all undocumented information.

Answers

Answer:

The answer is "Choice B"

Explanation:

Please find the complete question in the attached file.

A filter is a tool for removing undesirable parts. Eliminate solid from a fluid, for example. The filter may mean the filter action: it could be used as a verb. When the filter is mentioned, various branches of science and technology often refer to a certain type of device. Filtering tries to decide the data you need and the data you have to address the overload.

It is good for your eyes to look away from your computer screen (look at something far away) at least once an hour

Answers

i think this is true because my eyes start hurting after a while too

Help please!!!!! Drivers ed

Answers

Answer: Away from the curb

Explanation: if the vehicles breaking system stops working while the vehicle is parked it will reverse into the curb instead of into traffic

Answer:

Away from the curb

Explanation:

by turning your wheels away from the curb if your breaks fail your car will roll back into the curb instead of into traffic.

Which of the following is not a characteristic of a large database?
a) Optstore items in a filing cabinet.
b) Stores items in a computer such as music.
c) stores large amounts of items such as an online store.
d) can be used as a small recipe book.​

Answers

The answer is A hope I helped
The answer would be a

N Sistema tecnológico es: * A). Es un sistema que se usa solo en computadoras B) Es todo lo referente a tecnología como computadoras y celulares C) Es un conjunto de elementos y procesos que interactúan entre sí, para lograr la fabricación de un producto o servicios y que a su vez satisface necesidades sociales. D )Elaborar un producto con materiales Resistentes para las personas.

Answers

Answer:

C) Es un conjunto de elementos y procesos que interactúan entre sí, para lograr la fabricación de un producto o servicios y que a su vez satisface necesidades sociales.

Explanation:

Un sistema tecnológico se define como un conjunto de elementos y procesos que interactúan entre sí, para lograr la fabricación de un producto o servicio y que a su vez satisface necesidades sociales.

Por lo tanto, todos los dispositivos y máquinas que utilizamos para lograr varios fines pueden clasificarse como dispositivos tecnológicos.

Por ejemplo, un teléfono inteligente es un ejemplo típico de un sistema tecnológico.

Answer:

c

Explanation:

What is one common way to select a package name for a project?

Select one:

a.
Use a company's domain name for uniqueness


b.
Use a very short name to save typing


c.
Use a secret phrase like a password


d.
Use an encryption key for security

Answers

Answer:

Jeez idrk

Explanation:

Akkaqka

Why do people enjoy codehs

Answers

Answer: this is a moral question, but here is my view

Explanation:

we get to learn about things like java which i am currently learning for AP computer science A

1. PIN
Create a program that asks the user to enter his or her PIN. The program displays a
message if the PIN is correct. Else, it displays another message if the PIN is incorrect.

Answers

Answer:

pin the answer you fakoma

Explanation:

Please help! Why is my windows homepage like this with no desktop pictures for apps? It has like a mail logo for everything. How do I fix it?

Answers

is your computer able to flip into tablet mode?? if not try restarting it and clearing all tabs

Which best describes what happens when a user declines a task?

O The task is moved to the user's Junk E-mail folder, and a decline message is sent to the person who assigned the
task

O The task is deleted from the user's Inbox, and a decline message is sent to the person who assigned the task.

O The task is moved to the user's Junk E-mail folder, and a reminder message is sent to the user and the person
who assigned the task.

O The task is deleted from the user's Inbox, and a reminder message is sent to the user and the person who
assigned the task

Answers

Answer: The task is deleted from the user's Inbox and a decline message is sent to the person who assigned the task.

Explanation:

When a task is declined by a user, the task is deleted from the user's Inbox and a decline message is sent to the person who assigned the task.

On the other hand, if a user accepts an assigned task, then the task will be moved to the user's task list.

Therefore, the correct option is B.

Please How to put zoom video bg on windows 10

Answers

-Sign in to zoom web portal as an administrator
-Click account management then account settings in the navigation menu
-In the meeting tab navigate to the virtual background option (and verify that the settings is enabled)
-select one of zoom’s default or upload your own image
-if you have a green screen setup then select that option
-To add your own image or video, click the + icon to upload from your computer

what is multi tasking​

Answers

multi tasking is the act of doing more than one thing at the same time

Answer:

Multitasking, the running of two or more programs (sets of instructions) in one computer at the same time. Multitasking is used to keep all of a computer's resources at work as much of the time as possible

que es eset internet security???

Answers

Answer:

Antivirus y Antiespía

Explanation:

ESET Internet Security ofrece protección contra todo tipo de amenazas, incluso de las más recientes, gracias a su protección proactiva, y evita que éstas puedan robar información o se propaguen a otros equipos.

I have no clue but que pasa 6 x8 = 647
666+56+8#9+

What is the biggest difference between traditional and digital cameras?
Many inventions have enabled us to use digital cameras. The biggest difference between traditional and digital cameras is that digital cameras do not use

Answers

Answer: a film roll/ film

Explanation:

There are many differences between a digital and a traditional camera such as the fact that digital cameras use LED displays, megapixels and don't have to have pictures developed but perhaps the biggest difference is that digital cameras do not have to use a film to store pictures like a traditional camera does.

Digital cameras have SD cards for storage which allows them to take way more photos than a traditional camera can as traditional cameras are limited by the space in the film roll.

Other Questions
1. According to the 2009 U.S. census, about 10,000,000 people live in California.TrueFalse__________________________________________2. The Spanish found more gold in California than the Mexicans.TrueFalse three ways in which local government should provide services that promote safe and healthy living Which front would you possibly see heavy rain or snow fall? A swimming pool has a diameter of 24 feet. What is the minimum amount of fabric needed to cover the pool if the cover must hang off by 1 foot all around the pool? if 5.0g zinc reacts with 10.0 g hci to produce h2 gas and znci2 according to the following equation zn=2hci znci2 + h2 what is the limiting reactant and how many grams of h2 will be produced PLEASE HELP I WILL GIVE YOU MANY POINTS!!! Aaron is 5 years younger than Ron. Four years later, Ron will be twice as old as Aaron. Find their present ages. Find the length of the missing side Drag and drop the length of the missing side into the box to completethe statementThe length of the missing side 2513.92.29.7 Where in a data table should units of measurement be shown? What is a food web? Plz help me Super saturated solutions are used to make rock candy. Please describe how the crystals are formed, be sure to use the terms Solute and Solvent. Which of the following did President Theodore Roosevelt win the Nobel prize in 1906 A.)90B.)41C.)15D.)83 Jon earns $3 for every package he wraps. To take a package to the post office, Jon earns 1.65 times as much as he earns for wrapping a package. How much will Jon earn for wrapping a package and taking it to the post office? Debug the recursive reverseString method, which is intended to return the input String str reversed (i.e. the same characters but in reverse order).Use the runner class to test this method but do not write your own main method or your code will not be graded correctly.public class U10_L2_Activity_One{public static String reverseString(String str){if (str.length() < 0){return str;}s = reverseString(str.substring(2)) + str.substring(0,1);}}Runner's code (don't change):import java.util.Scanner;public class runner_U10_L2_Activity_One{public static void main(String[] args){System.out.println("Enter string:");Scanner scan = new Scanner(System.in);String s = scan.nextLine();System.out.println("Reversed String: " + U10_L2_Activity_One.reverseString(s));} } What is the value of X PLEASE HELP ASAP!!!!Describe in as much detail as possible the U.S. policy of CONTAINMENT during the Cold War and give four examples of how the U.S. supported/practiced this policy. In 1861 the North went to war with the South primarily to liberate the slaves Answer A: liberate the slaves A prevent European powers from meddling in American affairs Answer B: prevent European powers from meddling in American affairs B preserve the Union Answer C: preserve the Union C average political defeats and insults inflicted by the South Answer D: average political defeats and insults inflicted by the South D forestall a Southern invasion of the North Select the correct answer,Which statement best defines an Inference?A.a guess that relles only on the reader's prior experiencesB.the details stated directly by the author of a passageO c.a conclusion based on evidence and outside knowledgeO D.the background information about a literary workResetNext hormones are chemical molecules produced by glands. Vasopressin is a hormone secreted by the cells of hypothalamus, apart from the brain. The hormone regulates homeostasis through its effect on the kidney cells. Which statement is true based on this information.