Answer:
C. to store all of a website’s content files.
Explanation:
Cloud computing can be defined as a type of computing that requires shared computing resources such as cloud storage (data storage), servers, computer power, and software over the internet rather than local servers and hard drives.
Generally, cloud computing offers individuals and businesses a fast, effective and efficient way of providing services.
Cloud computing comprises of three (3) service models and these are;
1. Platform as a Service (PaaS).
2. Infrastructure as a Service (IaaS).
3. Software as a Service (SaaS).
For example, cloud computing includes;
- Go-ogle Slides saves your work to Go-ogle Drive.
- PowerPoint has the option to save to One-Drive.
All of these solutions are in the cloud not on your computer.
A website directory can be defined as a list of a website (web pages) containing link addresses and are located on the world wide web.
The purpose of the website directory provided by the website host is to store all of a website’s content files.
Answer:
c
Explanation:
c
Which XXX will prompt the user to enter a value greater than 10, until a value that is greater than 10 is actually input?
do {
System.out.println("Enter a number greater than 10:");
userInput = scnr.nextInt();
} while XXX;
a. (!(userInput < 10))
b. (userInput < 10)
c. (userInput > 10)
d. (!(userInput > 10))
Answer:
b. (userInput < 10)
Explanation:
The piece of code that will accomplish this would be (userInput < 10). The code will first ask the user to "Enter a number greater than 10:" then it will compare the value of userInput to 10, if it is less than 10 it will redo the loop over and over again until the userInput is greater than 10. Once the userInput is greater than 10 it will break out of the do-while loop and continue whatever code is written under and outside the do-while loop
8 / 4 + 3 % 2
How do you do this problem? You have to do the order of operations for programming.
Answer:
Explanation:
3 (4 -6) = -8 is correct. The next step is to combine 4 and -6, obtaining
3(-2)
and this 3(-2) should equal -6, which is not the same as -8.
3(4 - 6) = 12 - 18, which differs from the student's solution. This is the reason for the wrong answer.
Answer:
3 (4 -6) = -8 is correct. The next step is to combine 4 and -6, obtaining
3(-2)
and this 3(-2) should equal -6, which is not the same as -8.
3(4 - 6) = 12 - 18, which differs from the student's solution. This is the reason for the wrong answer.
Explanation:
What will the "background-color" of the "topButton" be when the program is finished running?
Answer:
Blue
Explanation:
set_Property - (topButton), (#background-color), (orange)
set_Property - (bottomButton), (#background-color), (red)
set_Property - (topButton), (#background-color), (blue)
set_Property - (bottomButton), (#background-color), (green)
Here, the background color for the 'topButton' would be "blue" when the program is finished running, as it is the last task, the topButton would be set to or it is the last thing that will run for the button.
You respond to a fire at a pharmaceutical production plant. One of the outside storage tanks is on fire. The placard on the tank shows the ID number is 1053. What is this material?
Answer:
Hydrogen sulfide.
Explanation:
Hydrogen sulfide is a chemical compound formed due to the reaction of hydrogen and sulfur. It is a colorless, corrosive, poisonous and highly flammable gas having the foul smell of rotten eggs.
Under the United Nations/North America number datasheet, the identification number for hydrogen sulfide is 1053.
In this scenario, you respond to a fire at a pharmaceutical production plant. One of the outside storage tanks is on fire. The placard on the tank shows the ID number is 1053. Therefore, this material is hydrogen sulfide.
If a hacker targets a vulnerable website by running commands that delete the website's data in its database, what type of attack did the hacker perform
Answer:
SQL injection.
Explanation:
SQL injection is a way to exploit vulnerabilities in the handling of input data in some computer programs that work against a database. The injection takes place by a user submitting parameters to a database query, without the parameters being correctly transformed with respect to special characters, such as escape sequences. With custom parameters, a user can bypass login systems and manipulate data.
(Reverse number) Write a program that prompts the user to enter a four-digit inte- ger and displays the number in reverse order. Here is a sample run:
Answer:
The program in Python is as follows:
num = int(input("4 digit number: "))
numstr = str(num)
if(len(numstr)!=4):
print("Number must be 4 digits")
else:
numstr = numstr[::-1]
num = int(numstr)
print(num)
Explanation:
This prompts user for input
num = int(input("4 digit number: "))
This converts the input number to string
numstr = str(num)
This checks if number of digits is or not 4
if(len(numstr)!=4):
If not, the following message is printed
print("Number must be 4 digits")
else:
If digits is 4,
This reverses the string
numstr = numstr[::-1]
This converts the reversed string to integer
num = int(numstr)
This prints the reversed number
print(num)
Think about the five steps to writing an algorithm. Why is each step necessary? Why is it important to be precise when writing computer code? Some problems are better solved by a computer and some are better solved by humans. How do you know when a problem should be solved by a computer or by a person? There’s a scientific theory out there that says that our brain uses an algorithm to create our thoughts and it’s called the Theory of Connectivity. This theory suggests that information comes into our brains, is processed, stored, and then results in an output. Does this process sound familiar to you? In what ways do our bodies take in input and respond, sometimes without our control? Give two examples. In what ways is the human brain like a computer? In what ways is it different?
Answer:
All steps in writing an algorithm are important because the output of each step is the input of the next. Computers are more useful for solving problems that deal with large data and require speed. The theory of connectivity is similar to data processing in computer systems. The human nose involuntarily inhales oxygen during respiration and exhales carbon dioxide and the ear picks sound waves and forwards it to the brain for decoding.
Explanation:
The computer system is a device, electronically built to accept, process and output information. The entirety of the computer system (input, output, storage and processing unit) can be compared to the human brain based on the concept of the theory of connectivity. The human nose and ears are two sensory organs that serve as an input to the brain as they unconsciously receive environmental data (external stimulus) and forward it to the brain.
Write a program that lets the user enter a nonnegative integer and then uses a loop to calculate the factorial of that number. Print the factorial to standard output
Answer:
In C++:
#include <iostream>
using namespace std;
int main(){
int num,fact=1;
cout<<"Positive integer: ";
cin>>num;
if(num<0){
cout<<"Positive integers only";
}
else{
for(int i =1;i<=num;i++){
fact*=i;
}
cout<<num<<"! = "<<fact;
}
return 0;
}
Explanation:
This line declares num and fact as integer. It also initializes fact to 1
int num,fact=1;
This line prompts the user for a positive integer
cout<<"Positive integer: ";
This line gets input from user
cin>>num;
This line checks if input is negative
if(num<0){
If input is negative, This line prints the following message
cout<<"Positive integers only";
}
else{
If input is positive or 0; The following iteration calculates the factorial
for(int i =1;i<=num;i++){
fact*=i;
}
This prints the calculated factorial
cout<<num<<"! = "<<fact;
}
What is a free and compatible alternative to the Microsoft Office Suite (word processing, spreadsheets, and calendars)?
WordPad
Open Office
Notepad
Lotus Notes
Answer:
Open Office
Explanation:
Open Office may be regarded as an open source productivity tool which allows users to enjoy the ability to create and edit documents similar to Microsoft Word, create spreadsheet files and documents similar to Microsoft excel and Presentation tool similar to Microsoft PowerPoint. With the open source category of open office, it means it is a free software whereby users can enjoy these tools without having to purchase any user license. The other tools in the option such as Notepad, Lotus note do not posses all these functionality.
Who first demonstrated the computer mouse ?
Answer:
Douglas Engelbart
Douglas Engelbart invented the computer mouse in 1963–64 as part of an experiment to find a better way to point and click on a display screen.
Explanation:
.
Which subscription options, if any, include bank feeds, access from any device at any time, and integration with a wide range of apps?
Answer:
QuickBooks Online Plus
Explanation:
Given that QuickBooks Online Plus is a form of package or subscription that provides all the benefits and characteristics of QuickBooks Online in a basic subscription.
It also offers additional functionality such as embedding the banking services which allows access from any smart device at any point in time, which is supported with various software applications. This helps to monitor the inventory and oversee the profitability of the project.
Hence, in this case, the correct answer is QuickBooks Online Plus.
Question #1
Dropdown
What is the value of the totalCost at the end of this program?
quantity = 5
cost = 3
totalCost = quantity * cost
totalCost is
15
3
8
Answer:
the answer is 25
Explanation:
because ot is 25 due to the GB
The total cost when given cost as 3 and quantity as 5 is; 15
We are given;
Quantity = 5
Cost = 3
Now we are told that formula for the total cost is;
Total Cost = quantity × cost
Plugging in the given values of quantity and cost gives us;
Total Cost = 5 × 3
Total cost = 15
In conclusion, the total cost from the values of quantity and individual cost we are given is 15
Read more about total cost at;https://brainly.com/question/2021001
Write a program with a car's miles/gallon and gas dollars/gallon (both floats) as input, and output the gas cost for 10 miles, 50 miles, and 400 miles.
Ex: If the input is 20.0 3.1599
The output is: 1.57995 7.89975 63.198
Answer:
Explanation:
The following is written in Python. It is a function that takes in two parameters called miles for miles/gallon and gasCost for gas dollars/gallon. Then it creates three variables for each number of miles used (10,50,400) and calculates the total cost for each. Finally, it returns all three costs to the user
def mileage(miles, gasCost):
tenMiles = (10.00 / miles) * gasCost
fiftyMiles = (50.00 / miles) * gasCost
fourHundredMiles = (400.00 / miles) * gasCost
return tenMiles, fiftyMiles, fourHundredMiles
52. An assignment statement will:
a. Perform a calculation
b. Store the results of a calculation
c. Display the results of a calculation
d. Both a and b.
Answer:
D.both a and b.
Explanation:
sana makatulong
Answer:
I believe that the answer is d. both a and b.
Pick one of the following scenarios and
a. Model using at least 5 classes: one parent, two children, and two grandchildren of one of the child classes.
b. Provide at least one field and one method that compellingly differentiates each class from the others.
c. Do not include constructors, getters, or setters in your description.
Scenarios - lots of them spring to mind, but I don't want the list to be too long. In this way, you can compare your ideas with those of other students, and I encourage to consider what other students have posted, you are also encouraged to make suggestions of other's postings and make additional postings updating your own ideas in light of the suggestions by others.
1. An airplane
2. A train
3. An e-commerce company (eg, Amazon)
4. A city government
5. An airline (aspects of an entire company)
6. A government organization (eg, EPA, Defense)
Answer:
Follows are the solution to this question:
Explanation:
Please find the complete question and diagram in the attached file.
Following are the scenario of the training:
In the given UML diagram, it used to increases the student's generalizability, and the type of vehicle categories, which includes their data components at the top one would be the parent or less are kids' classes which have parent class properties.
Sarah is a detail-oriented programmer. While testing her program, what other skill would she have to apply in order to detect all bugs?
A.
troubleshooting
B.
business skills
C.
managerial skills
D.
concentration
E.
time management
Answer:
A. troubleshooting
Explanation:
Troubleshooting is the process of trying to detect problems with a software or hardware component so as to apply solutions to it.
Therefore, Sarah would need troubleshooting skills to help her test her program to detect all bugs and fix it.
Create a spreadsheet that lists the ten currencies you chose. For each currency, enter an amount and create a
formula to convert it to U.S. dollars. Make sure to include dollar signs in the appropriate cells.
Answer:
its a very lengthy one
Explanation:
Choose the correct climate association for: deciduous forest
Answer:
Mid Latitude Climate!
Explanation:
I've studied this! Hope this helps! :)
Answer:
mid-latitude climate
Explanation:
Correct answer on a quiz.
Using a while loop, create an algorithm extractDigits that prints the individual digits of a positive integer.
Answer:
The algorithm is as follows
1. Start
2. Declare Integer N
3. Input N
4. While N > 0:
4.1 Print(N%10)
4.2 N = N/10
5. Stop
Explanation:
This line starts the algorithm
1. Start
This declares an integer variable
2. Declare Integer N
Here, the program gets user input N
3. Input N
The while iteration begins here and it is repeated as long as N is greater than 0
4. While N > 0:
This calculates and prints N modulus 10; Modulus of 10 gets the individual digit of the input number
4.1 Print(N%10)
This remove the printed digit
4.2 N = N/10
The algorithm ends here
5. Stop
Bonus:
The algorithm in Python is as follows:
n = 102
while n>0:
print(int(n%10))
n= int(n/10)
A network administrator determines who may access network resources by assigning users
ONICS
OUTPS
O permissions
O nodes
Answer: permissions
Explanation:
Users permissions is defined as the authorization that is given to users which in turn, allows such individual(s) to be able to have access to certain resources on a particular network.
Therefore, the user permission can be utilized by a network administrator so tht he or she can determines who can have access to network resources.
Please program this in Python
Write the function spell_name that will takes a name as its input, then returns a list where each character in their name is an element.
For example,
spell_name('Jessica')
# => ['J', 'e', 's', 's', 'i', 'c', 'a']
spell_name('Ariel')
# => ['A', 'r', 'i', 'e', 'l']
# fill in this function to return a list ontaining each character in the name
def spell_name(name):
return []
def spell_name(name):
return [x for x in name]
print(spell_name("Jessica"))
I wrote my code in python 3.8. I hope this helps.
The program returns list containing each individual letter in a string. The function written in python 3 goes thus :
def spell_name(str):
#initialize a function named spell_name which takes in a single parmater which is a string.
return [letter for letter in str]
#using list comprehension separate each individual letter in the string as an individual element.
print(spell_name('Aisha'))
#A sample run of the program with the string 'Aisha'.
The output of the sample program is attached.
Learn more : https://brainly.com/question/19012132
3n - 12 = 5n - 2
how many solutions?
explain why it is important for you to understand and describe the basic internal and external components of a computer in the work place
Answer:
you go to edit
Explanation:
ways that Mass Media has affected your everyday life.
Answer:
Mass Media affects my life every day right now I am angry and almost embarrassed to say I live in America...
Answer:
Body Image and Self-Esteem.
Consumer Spending Habits.
Values.
Perception of Individuals and People Groups.
Femininity, Masculinity and Relationships.
Explanation:
In the space provided, analyze the pros and cons of becoming a member of an artistic guild. Your answer should be at least 150 words. I need help on this in less than an 1 hour. make sure its for edge2020.
Answer:
As with almost everything in life, membership of an artistic guild comes with its pros and cons.
Explanation:
PROS
Protection:It is impossible to gain access to somethings in the industry as a stand-alone artist. Membership of the guild ensures for instance that one is guaranteed a minimum wage at the least.Many artists are given premium treatment when they are being engaged but treated like lepers when its time to pay-up for services rendered. Guild membership helps to correct that.Other benefits for those in paid jobs include but are not limited to Healthcare and Pension.Arts in most of it's forms as well as credits for same,. are very easy to steal Guild membership also guarantees that the artist gets and enjoys the benefits of getting the credit for their work.For newcomers into the industry, joining a guild guarantees a soft landing as well ease of access /navigation through the industry, information and networking opportunities.Reward from creative rights are also great incentives for joining an artistic guildResiduals
Residuals are financial compensation paid to artists especially those in the moVie industry such as actor, directors and other personnel involved in the makting of a particular movies, and or Television show whenever such works are streamed online, watched at a cinema, re-run or further distributed via other means.
Most non-guild artists may never get such wonderful incentives. However, membership to a guild can guarantee that they do because most guilds are involves in the formation, and compliance with these kind of industry regulations.
CONS
Strong Control Over ones Career/JobBecause the guild is powerful and highly networked, they can decide whether or not you get to keep a job, whether or not the company you work for remains part of the guild etc.In many cases, if ones organization is not yet a member of the guild, they can insist that you cannot become a member until the organization that has just hired you joins the guildMembers are required to pay dues
Su now wants to modify the text box that contains her numbered list. She accesses the Format Shape pane. In what ways can Su modify the text box using the pane? Check all that apply.
She can rotate the text box.
She can add color to the text box.
She can add a shape to the text box.
She can add a border to the text box.
She can insert a picture in the text box.
Answer:
She can add color to the text box.
She can add a border to the text box.
Explanation:
Answer:
B. She can add color to the text box.
D. She can add a border to the text box
Explanation:
hope this helps :)
Need some help writing a simple PYTHON Student registration program:
Students must enter their information including name, last name, phone number, email address and create a password.
By default, the program must assign a unique student ID between 1 to 1000.
The program should allocate 100 points to each registered student account automatically (students can use these points for shopping)
The system must print the allocated student ID on the screen (Student uses his/her ID for access to the rest of system functions)
The program must return to the main page.
import random
database = {}
while True:
try:
user_choice = int(input("Enter your student id to bring up your information (Press enter if you don't have one) : "))
if user_choice in database:
print("Student ID:",database[user_choice][0],"\nFirst name:",database[user_choice][1],"\nLast name:",database[user_choice][2],"\nPhone number:",database[user_choice][3],"\nEmail address:",database[user_choice][4],"\nPassword:",database[user_choice][5],"\nPoints:",database[user_choice][6])
except ValueError:
name = input("Enter your first name: ")
last_name = input("Enter your last name: ")
phone_number = input("Enter your phone number: ")
email = input("Enter your email address: ")
password = input("Enter a password: ")
points = 100
student_id = random.randint(1,1000)
while student_id in database:
student_id = random.randint(1,1000)
print("Hello,",name,"your student ID is:",student_id)
database[student_id] = [student_id,name, last_name, phone_number, email, password, points]
I wrote my code in python 3.8. I hope this helps.
Do you still get messages and calls when silent your phone and power off it
Answer:
yes
Explanation:
it will just be muted so you wont hear when someone text or calls you.
Fax cover sheets are used to _____. Hint: Select three.
make a good first impression
provide detailed pricing information
make sure message reaches the correct person
let the recipient know the subject of the message
ensure safe, private communication
Answer:
Let the recipient know the subject of the message,ensure safe,private communication.This is important,especially if the receiving company or business uses one fax machine for the entire employee pool.
If Laura wanted to solve a problem using recursion where the last statement executed is the call to the same method, what type of recursion should she use?
A. tail method
B. tail recursion
C. base recursion
D. infinite recursion
Answer:
B: Tail recursion
Explanation:
The answer is tail recursion because in python, tail recursive function is defined as the function when the recursive call is the last thing that will be executed by the given function in question.
This definition tallies with the definition we have in the question.
So, option B is correct.