Using insecure protocols like Telnet is the weakest point of the configuration for an employee who works from home using a home wireless network connected to the company network.
The insecure protocol is a protocol, service, or port that raises security issues because there aren't any safeguards for integrity and/or secrecy.
The majority of networks use hardware (such as servers, routers, and switches) that supports communication protocols without security measures, so this is a crucial question. Telnet and earlier iterations of SNMP are two examples of insecure protocols (v1 and v2c).
Attackers and hackers can readily access your data and even remote controls thanks to insecure protocols. Therefore, it's imperative that you understand the risks associated with unsecured communication protocols in your network and be aware of what needs to be done to safeguard your data.
To learn more about Telnet click here:
brainly.com/question/13540734
#SPJ4
A client sends a 128-byte request to a server located 100 km away over a 1 GB optical fiber. What is the efficiency of the line during the remote procedure call? ANS: Sending 128x8=1024 bits over a 1 Gbps line takes ~
The efficiency of the line during the remote procedure call is the is 1 microsec.
What is efficiency about?Efficiency deals with the ability for one to be able to avoid wasting time or materials resources to get a result.
Note that :
In sending Sending 128 x 8= 1024 bits over a 1 Gbps
Note therefore that will take the line about ~1 microsec.
Learn more about efficiency from
https://brainly.com/question/25350730
#SPJ1
Assuming there are 100 million households in the US, and that each household has two HDTVs, and that each TV is used to watch 4 hours of video per day. We’ll assume that each (compressed) video streams at 2Mb/s. If all households are watching both TVs at the same time, and all are watching video on-demand (i.e. data is delivered unicast to every household), then which of the following is the closest approximation of the total peak aggregate data rate delivered to all homes?
100 Tb/s (100 × 10^12b/s),
400 Tb/s (400 x 10^12b/s),
1 Pb/s (1 x 10^15b/s),
100 Gb/s (100 x 10^9 b/s),
2 Tb/s (2 x 10^12b/s)
Answer:
400 Tb/s (400 × 10¹² b/s )
Explanation:
Given that :
the number of household in US = 100 million
the number of HDTVs per house is = 2
the rate of the video streaming = 2 Mb/s
the watch hour = 4 hours of video per day
We equally know that :
I Mb = 10⁶ bits
The Total peak aggregate data rate delivered to all homes provided every household is watching both the tvs simultaneously = Total bits streamed × number of households × number of HDTVs
= (100 × 10⁶)×2 (2× 10⁶) b/s
= 400 × 10¹² b/s
= 400 Tb/s (400 × 10¹² b/s )
A pitch can help convey important information in pre-production for it to receive the green light into production. True or false
The role of ICT In government.
Answer:Communication between a government and its citizens can happen in real-time since messages are delivered instantaneously.
E-Government uses ICT for the development of more efficient and more economical government.
Explanation:
**GIVING ALL POINTS** 4.02 Coding With Loops
I NEED THIS TO BE DONE FOR ME AS I DONT UNDERSTAND HOW TO DO IT. THANK YOU
Output: Your goal
You will complete a program that asks a user to guess a number.
Part 1: Review the Code
Review the code and locate the comments with missing lines (# Fill in missing code). Copy and paste the code into the Python IDLE. Use the IDLE to fill in the missing lines of code.
On the surface this program seems simple. Allow the player to keep guessing until he/she finds the secret number. But stop and think for a moment. You need a loop to keep running until the player gets the right answer.
Some things to think about as you write your loop:
The loop will only run if the comparison is true.
(e.g., 1 < 0 would not run as it is false but 5 != 10 would run as it is true)
What variables will you need to compare?
What comparison operator will you need to use?
# Heading (name, date, and short description) feel free to use multiple lines
def main():
# Initialize variables
numGuesses = 0
userGuess = -1
secretNum = 5
name = input("Hello! What is your name?")
# Fill in the missing LOOP here.
# This loop will need run until the player has guessed the secret number.
userGuess = int(input("Guess a number between 1 and 20: "))
numGuesses = numGuesses + 1
if (userGuess < secretNum):
print("You guessed " + str(userGuess) + ". Too low.")
if (userGuess > secretNum):
print("You guessed " + str(userGuess) + ". Too high.")
# Fill in missing PRINT statement here.
# Print a single message telling the player:
# That he/she guessed the secret number
# What the secret number was
# How many guesses it took
main()
Part 2: Test Your Code
Use the Python IDLE to test the program.
Using comments, type a heading that includes your name, today’s date, and a short description.
Run your program to ensure it is working properly. Fix any errors you observe.
Example of expected output: The output below is an example of the output from the Guess the Number game. Your specific results will vary based on the input you enter.
Output
Your guessed 10. Too high.
Your guessed 1. Too low.
Your guessed 3. Too low.
Good job, Jax! You guessed my number (5) in 3 tries!
When you've completed filling in your program code, save your work by selecting 'Save' in the Python IDLE.
When you submit your assignment, you will attach this Python file separately.
Part 3: Post Mortem Review (PMR)
Using complete sentences, respond to all the questions in the PMR chart.
Review Question Response
What was the purpose of your program?
How could your program be useful in the real world?
What is a problem you ran into, and how did you fix it?
Describe one thing you would do differently the next time you write a program.
Answer:
import random
from time import sleep as sleep
def main():
# Initialize random seed
random.seed()
# How many guesses the user has currently used
guesses = 0
# Declare minimum value to generate
minNumber = 1
# Declare maximum value to generate
maxNumber = 20
# Declare wait time variable
EventWaitTime = 10 # (Seconds)
# Incorrect config check
if (minNumber > maxNumber or maxNumber < minNumber):
print("Incorrect config values! minNumber is greater than maxNumber or maxNumber is smaller than minNumber!\nDEBUG INFO:\nminNumber = " + str(minNumber) + "\nmaxNumber = " + str(maxNumber) + "\nExiting in " + str(EventWaitTime) + " seconds...")
sleep(EventWaitTime)
exit(0)
# Generate Random Number
secretNumber = random.randint(minNumber, maxNumber)
# Declare user guess variable
userGuess = None
# Ask for name and get input
name = str(input("Hello! What is your name?\n"))
# Run this repeatedly until we want to stop (break)
while (True):
# Prompt user for input then ensure they put in an integer or something that can be interpreted as an integer
try:
userGuess = int(input("Guess a number between " + str(minNumber) + " and " + str(maxNumber) + ": "))
except ValueError:
print("ERROR: You didn't input a number! Please input a number!")
continue
# Increment guesses by 1
guesses += 1
# Check if number is lower, equal too, or higher
if (userGuess < secretNumber):
print("You guessed: " + str(userGuess) + ". Too low.\n")
continue
elif (userGuess == secretNumber):
break
elif (userGuess > secretNumber):
print("You guessed: " + str(userGuess) + ". Too high.\n")
continue
# This only runs when we use the 'break' statement to get out of the infinite true loop. So, print congrats, wait 5 seconds, exit.
print("Congratulations, " + name + "! You beat the game!\nThe number was: " + str(secretNumber) + ".\nYou beat the game in " + str(guesses) + " guesses!\n\nThink you can do better? Re-open the program!\n(Auto-exiting in 5 seconds)")
sleep(EventWaitTime)
exit(0)
if __name__ == '__main__':
main()
Explanation:
Answer:
numGuesses = 0
userGuess = -1
secretNum = 4
name = input("Hello! What is your name?")
while userGuess != secretNum:
userGuess = int(input("Guess a number between 1 and 20: "))
numGuesses = numGuesses + 1
if (userGuess < secretNum):
print(name + " guessed " + str(userGuess) + ". Too low.")
if (userGuess > secretNum):
print( name + " guessed " + str(userGuess) + ". Too high.")
if(userGuess == secretNum):
print("You guessed " + str(secretNum)+ ". Correct! "+"It took you " + str(numGuesses)+ " guesses. " + str(secretNum) + " was the right answer.")
Explanation:
Review Question Response
What was the purpose of your program? The purpose of my program is to make a guessing game.
How could your program be useful in the real world? This can be useful in the real world for entertainment.
What is a problem you ran into, and how did you fix it? At first, I could not get the input to work. After this happened though, I switched to str, and it worked perfectly.
Describe one thing you would do differently the next time you write a program. I want to take it to the next level, like making froggy, tic tac toe, or connect 4
7.2 need help plzs 15 points
How to send and receive same bits with the SDR in simulink????????
Answer:
SI QUERÉS SALIMOS
Como te amo te adoro
by using the Communications Toolbox
Which of the following is included in an employee medical record?
Please help with this I attached a pic of what I have tried to come up with. I'll give more point !!
You have been asked to write a program that calculates the total price for a picnic lunch that the user is purchasing for a group of friends. Your program should:
• Ask the user to enter her budget for the lunch • The user has the option of buying apples, cheese, and bread.
• Set the price per apple, price per pound of cheese, and price per loaf of bread as constant variables.
• Use a nested repetition/selection structure to ask the user what type of item and how much of each item he/she would like to purchase. Keep a running total of the items purchased inside the loop.
• Exit the loop if the total has exceeded the user's budget. Additionally, provide a sentinel value that allows the user to exit the purchasing loop at any time. • After the loop is exited, display the total amount spent, the total amount of each item purchased (quantity and cost) and the amount of the budget that remains. .
Be sure to include appropriate documentation at the start of the program and within the program.
You will submit your .py file for this part of the test as a response to this question.
In python:
budget = float(input("What is your budget? $"))
apple_price = (whatever value you choose)
cheese_price = (whatever value you choose)
bread_price = (whatever value you choose)
apple_quantity = 0
cheese_quantity = 0
bread_quantity = 0
total = 0
# Finished initializing each variable.
# The loop stops when the budget is less than or equal to zero. Hopefully at zero though.
while budget > 0:
what_type = input("What type of item would you like? (a/c/b) ")
if what_type == "a":
apple_quantity = int(input("How many apples would you like? "))
if apple_quantity * apple_price > budget:
print(f"You can't afford {apple_quantity} apples")
apple_quantity = 0
# If the price of apples exceeds what is available in the budget, we can't buy the apples. This is the same for bread and cheese.
budget -= (apple_quantity * apple_price)
total += apple_quantity
# The budget is modified to include the price of the food purhcased, and the total amount of items purchased is increased if the user can afford the item(s).
elif what_type == "c":
cheese_quantity = int(input("How much cheese would you like? "))
if cheese_quantity * cheese_price > budget:
print(f"You can't afford {cheese_quantity} pounds of cheese")
cheese_quantity = 0
budget -= (cheese_quantity * cheese_price)
total += cheese_quantity
elif what_type == "b":
bread_quantity = int(input("How much bread would you like? "))
if bread_quantity * bread_price > budget:
print(f"You can't afford {bread_quantity} loaves of bread")
bread_quantity = 0
budget -= (bread_quantity * bread_price)
total += bread_quantity
elif what_type == "exit":
break
# This is the sentinel value to exit the purchasing program whenever the user wants.
print(
f"The total amount spent: ${((bread_quantity * bread_price) + (cheese_quantity * cheese_price) + (apple_quantity * apple_price))}")
print(
f"You purchased {apple_quantity} apples worth ${apple_price * apple_quantity}, {bread_quantity} loaves of bread worth ${bread_price * bread_quantity}, and {cheese_quantity} pounds of cheese worth ${cheese_price * cheese_quantity}.")
print(f"You have ${budget} remaining on your budget.")
# The total amount spent, the amount of items and their prices, and the remaining budget is printed to the console.
I hope this helps! If you need any further assistance please comment, and I will do my best to help.
The program prompts user for his/her budget, items and quantity to be purchased and creates and invoice based on the input. The program written in python 3 goes thus :
budget = int(input('Enter your lunch budget : '))
# prompt for user's budgeted amount
price_inv = {'apple' : 3 , 'cheese' : 4 , 'bread' : 5 }
#dictionary for the price of items
cost_inv = {'apple' : 0 , 'cheese' : 0 , 'bread' : 0 }
#dictionary for the price of each items purchased
quantity = {'apple' : 0 , 'cheese' : 0 , 'bread' : 0 }
#quantity of each item purchased
total_sum = 0
#initialized value for the total sum
budget_left = budget
#initialized value for the amount left from user's budget.
while budget > 0 :
#a while loop which runs till budget is finished
item_type = input('enter the item to purchase : ')
if item_type == 'nothing_more' :
break
#allow user to break out of the loop before the condition is met
else :
units = int(input('units : '))
#prompts for the unit of items the user want
cost = units * price_inv[item_type]
#calculates the cost
cost_inv[item_type] += cost
#updates the cost dictionary
quantity[item_type] += units
#updates the number of units purchased
total_sum += cost
#updates the total cost
budget_left -=cost
#updates the budget left
budget -= cost
print('number of apples : ', quantity['apple'], 'Cost : ', cost_inv['apple'])
print('number of cheese : ', quantity['cheese'], 'Cost : ', cost_inv['cheese'])
print('number of bread : ', quantity['bread'], 'Cost : ', cost_inv['bread'])
print('Total cost : ', total_sum)
print('Budget left : ', budget_left)
#displays user's purchase information as an invoice
A sample run of the program is attached including the script.
Learn more :https://brainly.com/question/16403687
2. The Warren Commission investigated the assassination of President _______________________ in 1964.
Answer:
President Kennedy
Explanation:
John F. Kennedy was the 35th President of US. He was assassinated in 1963 in Dallas
Write an assembly code to implement the y=(x1+x2)*(x3+x4) expression on 2-address machine, and then display the value of y on the screen. Assume that the values of the variables are known. Hence, do not worry about their values in your code.
The assembly instructions that are available in this machine are the following:
Load b, a Load the value of a to b
Add b, a Add the value of a to the value of b and place the result in b
Subt b, a Subtract the value of a from the value of b and place the result in b
Mult b, a Multiply the values found in a and b and place the result in b
Store b, a Store the value of a in b.
Output a Display the value of a on the screen
Halt Stop the program
Note that a or b could be either a register or a variable. Moreover, you can use the temporary registers R1 & R2 in your instructions to prevent changing the values of the variables (x1,x2,x3,x4) in the expression.
In accordance with programming language practice, computing the expression should not change the values of its operand.
mbly code to implement the y=(x1+x2)*(x3+x4) expression on 2-address machine, and then display the value of y on the screen. Assume that the values of the variables are known. Hence, do not worry about their values in your code.
The assembly instructions that are available in this machine are the following:
Load b, a Load the value of a to b
Add b, a Add the value of a to the value of b and pla
The business analysts at your organization often take weeks to come up with an updated set of requirements. So the senior developer for your team encourages everyone to catch up on their training while they wait for the update. If you were an agile coach for the organization, what might you do to improve the situation?
If I was an agile coach for the organization, I would ask the software development team to only do peer-to-peer training.
What is SDLC?SDLC is an abbreviation for software development life cycle and it can be defined as a strategic methodology that defines the key steps, phases, or stages for the design, development and implementation of high quality software programs.
In Agile software development, the software development team are more focused on producing working software programs with less effort on documentation.
In this scenario, I would ask the software development team to only do peer-to-peer training assuming I was an agile coach for the organization because it would provide the most fitting employees.
Read more on software development here: brainly.com/question/26324021
Before he files his report, Zach checks it to make sure that he has included all the relevant information hos manager asked for . What characteristic of effective communication is he checking for?
A) Completeness
B) Conciseness
C) Clarity
D) Courtesy
Completeness Zach is making sure his communication embodies the quality of completeness by making sure his report contains all the pertinent data that his management has requested.
How does effective communication connect to directing?The Management function of Directing depends on effective communication. Even if a manager is extremely qualified and skilled, his abilities are useless if he lacks effective communication skills. To get the job done correctly from his employees, a manager must effectively convey his instructions to those who report to him.
Which of the following describes effective communication Mcq?One must observe the 10 commandments in order to ensure efficient communication. These include things like communication goals, language clarity, appropriate medium, etc.
To know more about data visit:-
https://brainly.com/question/11941925
#SPJ1
When choosing a new computer to buy, you need to be aware of what operating it uses.
Answer: Size & Form-Factor, Screen Quality,Keyboard quality,CPU, RAM, Storage,Battery Life, USB 3.0, Biometric Security,Build quality.
Explanation:
1 - 7 are the most important for laptops and for desktops 1,3,4,5and 6.
Hope this helped!
To qualify for a particular scholarship, a student must have an overall grade point average of 3.0 or above and must have a science grade point average of over 3.2. Let overallGPA represent a student’s overall grade point average and let scienceGPA represent the student’s science grade point average. Which of the following expressions evaluates to true if the student is eligible for the scholarship and evaluates to false otherwise?
a: (overallGPA > 3.0) AND (scienceGPA ≥ 3.2)
b: (overallGPA > 3.0) AND (scienceGPA > 3.2)
c: (overallGPA ≥ 3.0) AND (scienceGPA ≥ 3.2)
d: (overallGPA ≥ 3.0) AND (scienceGPA > 3.2)
Answer:
(\(overallGPA \ge 3.0\)) AND (\(scienceGPA > 3.2\))
Explanation:
Given
\(overallGPA \to\) Overall Grade Point Average
\(scienceGPA \to\) Science Grade Point Average
Required
The expression that represents the given scenario
From the question, we understand that:
\(overallGPA \ge 3.0\) --- average \(greater\ than\ or\) equal to \(3.0\)
\(scienceGPA > 3.2\) --- average \(over\) 3.2
Since both conditions must be true, the statements will be joined with the AND operator;
So, we have:
(\(overallGPA \ge 3.0\)) AND (\(scienceGPA > 3.2\))
If you use a pen down block to instruct a sprite to go to random position and then move 100, what happens? A. The sprite teleports randomly and creates a single line 100 units long. B. The sprite creates a 100-unit line between its starting point and a random location. C. The sprite draws a line to a random position, then creates another line 100 units long. D. The program does not run because these commands can’t be combined.
Answer:
C
Explanation:
The sprite draws a line to a random position, then creates another line 100 units long
Evaluati urmatoarele expresii
5+2*(x+4)/3, unde x are valoare 18
7/ 2*2+4*(5+7*3)>18
2<=x AND x<=7 , unde x are valoare 23
50 %10*5=
31250/ 5/5*2=
Answer:
A) 22 ⅓
B) 111>18
C) There is an error in the expression
D) 25
E) 62500
Question:
Evaluate the following expressions
A) 5 + 2 * (x + 4) / 3, where x has a value of 18
B) 7/2 * 2 + 4 * (5 + 7 * 3) & gt; 18
C) 2 <= x AND x<= 7, where x has value 23
D) 50% 10 * 5 =
F) 31250/5/5 * 2 =
Explanation:
A) 5 + 2 * (x + 4) / 3
x = 18
First we would insert the value of x
5 + 2 * (x + 4) / 3
5 + 2(18 + 8) / 3
Then we would evaluate the expression by applying BODMAS : This stands for Bracket, Of, Division, Multiplication, addition and subtraction.
= 5 + 2(26) / 3
= 5 + 52/3
= 5 + 17 ⅓
= 22 ⅓
B) 7/2 * 2 + 4 * (5 + 7 * 3) > 18
we would evaluate the expression by applying BODMAS : This stands for Bracket, Of, Division, Multiplication, addition and subtraction.
7/2 * 2 + 4 * (5 + 7 * 3) >18
= 7/2 × 2 + 4× (5 + 7 × 3)>18
= (7×2)/2 + 4× (5+21) >18
= 14/2 + 4(26) >18
= 7 + 104 >18
= 111>18
C) 2 <= x AND x<= 7, where x has value 23
There is an error in the expression
D) 50% of 10 * 5
we would evaluate the expression by applying BODMAS : This stands for Bracket, Of, Division, Multiplication, addition and subtraction.
The 'of' expression means multiplication
= 50% × 10×5
= 50% × 50
50% = 50/100
=50/100 × 50
= 1/2 × 50
= 25
F) 31250/5/5 * 2
The expression has no demarcation. Depending on how it is broken up, we would arrive at different answers. Let's consider:
31250/(5/5 × 2)
Apply BODMAS
= 31250/[5/(5 × 2)]
= 31250/(5/10)
= 31250/(1/2)
Multiply by the inverse of 1/2 = 2/1
= 31250 × (2/1)
= 62500
Write the Holiday Date of the following holidays:
1. Bonifacio Day –
2. Christmas Day –
3. Rizal Day –
4. Day of Valor –
5. Labor Day –
6. Independence Day –
7. New Year’s Day –
8. People Power Day –
9. Ninoy Aquino Day –
10. All Saint’s Day –
Answer:
1. November 30
2. December 25
3. December 30
4. April 9
5. September 1
6. (depends)
7. January 1
8. February 25
9. August 21
10. November 1
Explanation:
Lets say if my computer shut down every 10 minutes. What can you do to solve the problem. Hint: Use these word in you answer: handy man, restart, shut down, call, and thank you.
Answer:
You should restart your computer
Answer:
You could call a handy man to take a look at your computer if you are having drastic issues. You could also restart or shut down you computer a few times because it might need a massive update. You might need to call the company you bought your computer from and ask about what to do when that problem is happening. Thank you for reading my answer!
Explanation:
I think these answers make since.
PLS HELP WILL MARK BRAINLINESS AND 30 POINTS
In your own words in at least two paragraphs, explain why it is important, when developing a website, to create a sitemap and wireframe. Explain which process seems most important to you and why you feel most drawn to that process.
(i.e. paragraph one is why is it important and paragraph two is which process felt most important to you and why)
When creating a website, it is important to create a sitemap so that a search engine can find, crawl and index all of your website's content. a sitemap makes site creation much more efficient and simple. A sitemap also helps site developers (assuming you have any) understand the layout of your website, so that they can design according to your needs.
A wireframe is another important step in the web design process. Creating a website is like building a house. To build the house, you first need a foundation on which to build it upon. Without that foundation, the house will collapse. The same goes for a website. If you create a wireframe as a rough draft of your website before going through and adding final touches, the entire design process will become much easier. If you do not first create a wireframe, the design process will be considerably more difficult, and you are more likely to encounter problems later on.
To me, the wireframe is the most important due to the fact that is necessary in order to create a good website. In order to create a sitemap, you first need a rough outline of your website. Without that outline, creating a sitemap is impossible.
What is it called when a unique letter is assigned to a shared drive
Answer:
Assigning a drive letter to a network drive is called mapping the drive, or linking the drive, by network nerds.
Explanation:
What types of input and output devices would be ideal for a college student completing his or her coursework?
A college student would need a keyboard and a mouse as an input device and a screen and a monitor as an output device
What are the input/output devices?In order to enter text, commands, and other sorts of data into a computer, a keyboard is a necessary input device. It consists of a group of keys set up in a certain arrangement, like the QWERTY layout that is found on the majority of keyboards.
A monitor is an output device that graphically displays information produced by the computer. It is also known as a display or screen. For dealing with the computer's operating system, programs, and material, it offers a visual interface. To satisfy varied needs, monitors are available in a variety of sizes, resolutions, and technologies (such as LCD or LED).
Learn more about input devices:https://brainly.com/question/13014455
#SPJ2
Question 2 of 25
How could a video's file size be reduced so that it will take up less space on a
computer's hard drive?
A. By shooting it at a lower resolution
B. By shooting it at a higher resolution
C. By shooting it at a higher frame rate
D. By sampling the sound at the maximum rate
Ruzwana is a system administrator at an organization that has over 1000 employees. Each of the employees brings their own devices to work. She wants to find an efficient method that will allow her to make the various devices meet organizational standards. In addition, she would like to deploy various universal applications such as the VPN client, meeting software, and productivity software to these systems. Which of the following options should Ruzwana use to achieve the desired outcome in this scenario?
a. A provisioning package.
b. A catalog file.
c. A configuration set.
d. An answer filE.
In this scenario, the option which Ruzwana should use to ensure that the various devices meet organizational standards and for the deployment of various universal applications is: d. An answer file
An answer file can be defined as an XML-based file which contains the configuration settings and values that should be used during the installation of a software program on one or more devices in accordance with specific standards. Thus, each and every device using the same answer file would have the same configuration setting.
Additionally, an answer file allows a system administrator to automatically deploy various software programs such as meeting software and productivity software to a particular system or network.
In this context, the most appropriate option which Ruzwana should use to ensure that the various devices meet organizational standards and for the deployment of various universal applications is an answer file.
Read more on software here: https://brainly.com/question/25703767
If you have a really good picture of your friend, it is okay to post without asking because they allowed you to take it in the first place. O True O False
After Sally adds the Print Preview and Print command to the Quick Access Toolbar, which icon would she have added? the icon that shows an open folder the icon that shows a sheet of paper the icon that shows a printer with a check the icon that shows a sheet of paper and a magnifying glass
Answer: the icon that shows a sheet of paper and a magnifying glass
Explanation:
The Quick Access Toolbar, gives access to the features that are usually used like Save, Undo/Redo. It can also be customized such that the commands that the users usually use can be placed quicker and therefore makes them easier to use.
After Sally adds the Print Preview and Print command to the Quick Access Toolbar, the icon that she would have added is the icon that shows a sheet of paper and a magnifying glass.
Answer:
d
Explanation:
g 4-6 you've been given the network 200.5.0.0 /24 and need to subnet it using vlsm as follows: bldg 1 30 hosts bldg 2 10 hosts bldg 3 10 hosts bldg 4 4 hosts what will be the network address for bldg 3
Answer:
The answer is "200.5.0.0 32/28".
Explanation:
The requirement of the Bldg is =30.
The number of the host bits which is needed = 5
Therefore the subnet mask will be =/27
for bldg 3 netmask could be= /28
and when the /28 after that the last octet will be= 00100000.
00100000 converting value into a decimal value that is = 32.
therefore the correct value is 200.5.0.32 /28.
you want to ensure that a query recordset is read-only and cannot modify the underlying data tables it references. How can you do that?
To guarantee that a query's recordset cannot make any changes to the original data tables, the "read-only" attribute can be assigned to the query.
What is the effective method?An effective method to accomplish this is to utilize the "SELECT" statement along with the "FOR READ ONLY" condition. The instruction signifies to the database engine that the query's sole purpose is to retrieve data and not alter it.
The SQL Code
SELECT column1, column2, ...
FROM table1
WHERE condition
FOR READ ONLY;
Read more about SQL here:
https://brainly.com/question/25694408
#SPJ1
In the chemical reaction of baking cookies, the product is?
A
the ingredients that are mixed together before baking.
B
the temperature at which the oven is set.
C
the cookies that are baked at the end.
D
frosting that can be added after the cookies cool.
Answer:
the cookies that are baked at the end
Explanation: did it in flocabulary
In the chemical reaction of baking cookies, the product is the cookies that are baked at the end. Thus, option C is correct.
What is a chemical reaction?In such a chemical reaction, substances undergo a reaction of chemicals, as well as change, become outcomes through a chemical compound. Whenever particles establish or break molecular bonds, biochemical processes take place.
In the chemical reaction, the change that is happening is due to the change that is happening with respect to the heat that is present in the oven.
The mixture that is added to the pan is considered the major part of the change and the reaction that is happening. Various elements are happening in the cookies are the change in which it is happening.
Therefore, option C is the correct option.
Learn more about chemical reaction, here:
https://brainly.com/question/3461108
#SPJ2
While all pages use HTML code, not all pages are written in
Answer:
Code Form
Explanation: