Choose all items that represent common website
design flaws.
menu at the top of the page
distracting background
short page-load times
too many or confusing fonts
poor navigation
dead hyperlinks
Answer:
2,4,5,6
Explanation:
just answered it
give ways in which fire can be prevented in a computer lab
Answer:
don't try to run a sketchy game that plays in 4k on a computer and monitor that can only generate 1280p.
Explanation:
yes. I made that mistake once.
Need help with this python question I’m stuck
It should be noted that the program based on the information is given below
How to depict the programdef classify_interstate_highway(highway_number):
"""Classifies an interstate highway as primary or auxiliary, and if auxiliary, indicates what primary highway it serves. Also indicates if the (primary) highway runs north/south or east/west.
Args:
highway_number: The number of the interstate highway.
Returns:
A tuple of three elements:
* The type of the highway ('primary' or 'auxiliary').
* If the highway is auxiliary, the number of the primary highway it serves.
* The direction of travel of the primary highway ('north/south' or 'east/west').
Raises:
ValueError: If the highway number is not a valid interstate highway number.
"""
if not isinstance(highway_number, int):
raise ValueError('highway_number must be an integer')
if highway_number < 1 or highway_number > 999:
raise ValueError('highway_number must be between 1 and 999')
if highway_number < 100:
type_ = 'primary'
direction = 'north/south' if highway_number % 2 == 1 else 'east/west'
else:
type_ = 'auxiliary'
primary_number = highway_number % 100
direction = 'north/south' if primary_number % 2 == 1 else 'east/west'
return type_, primary_number, direction
def main():
highway_number = input('Enter an interstate highway number: ')
type_, primary_number, direction = classify_interstate_highway(highway_number)
print('I-{} is {}'.format(highway_number, type_))
if type_ == 'auxiliary':
print('It serves I-{}'.format(primary_number))
print('It runs {}'.format(direction))
if __name__ == '__main__':
main()
Learn more about program on
https://brainly.com/question/26642771
#SPJ1
The reciprocal of voltage is 1.0 / voltage. The following program computes the reciprocal of a measurement of voltage and then outputs the reciprocal value. The code contains one or more errors. Find and fix the error(s). Ex: If the input is 0.500, then the output should be: The reciprocal of voltage = 1.0 / 0.500 = 2.000 Answer needs to be in C++
This following C++ program will count the reciprocal value of that voltage
#include "conio.h"
Using namespace std;
Int main(){
int p;
cout<<"========================================"<
cout<<"Voltage reciprocal value program\n"<
cout<<"========================================"<
cout<<"Input voltage= ";
cin>>p;
cout<<"The reciprocal of voltage value="; cout<<(1/p);
getch();
How to make a C++ program based on that situation?
The first thing on every code a program, you have to determine the program algorithm. On this case we can do as follow:
What is the input ? We can determine that is voltage only. So you have to create one variable container.What is this program purpose? As we can see, it use for calculation. So, make the variable container as integer, bigInt or doubleWhat is output needed? As described, client asked to make a program that show them value of 1 divided by the input value. So the formula will be 1/input Make the program basedLearn more about algorithm here
https://brainly.com/question/13402792
#SPJ1
Determine whether the compound condition is True or False.
4 < 3 and 5 < 10
4 <3 or 5 < 10
not (5 > 13)
Answer:
The answer to this question is given below in the explanation section.
Explanation:
The given compound statement are:
4 < 3 and 5 < 10
4 <3 or 5 < 10
not (5 > 13)
4 < 3 and 5 < 10 this statement is false because "and" logical operator required that both operand (4<3) and (5<10) are true. Statement (4<3) is a false statement so this statement is false. "and" operator becomes true when all its inputs are true otherwise it becomes false.
4 < 3 or 5 < 10 this statement is true because "or" logical operator to be true if one of its input is true and false when all inputs are false. so in this compound statement, the first statement is false and the second statement is true. so this compound statement is true.
not(5>13) this compound statement is true because it has "not" operator and "not" operator makes a false statement to true and vice versa. so (5>13) is a false statement, and when you append "not" operator before it, then this compound statement will become true statement, so this is a true statement.
The given compound conditions would be considered true or false as follows:
i). 4 < 3 and 5 < 10 - False
ii). 4 <3 or 5 < 10 - True
iii). not (5 > 13) - True
i). 4 < 3 and 5 < 10 would be considered false and the reason behind this is that the logical operator 'and' implies that both are equivalent but here 4 < 3 is incorrect as it differentiates from the meaning conveyed in 5 < 10ii). In the second statement i.e. 4 <3 or 5 < 10, 'or' is the correct logical operator because one of the parts i.e. 5 < 10 is actually true while the latter is false.iii) In the next part "not (5 > 13)" is also true as it adequately uses the operator 'not' to imply that 5 is not bigger than 13 which implies it to be true.
Thus, the first statement is false and the other two are true.
Learn more about 'Compound Condition' here:
brainly.com/question/1600648
the function of anOR gate can best be described as a gate which provides an output of 1 only when
Answer:
Following are the program to this question:
#include <iostream>//defining header file
using namespace std;
void OR_gate()//defining a method OR_gate
{
bool a,b;//defining bool vaiable
cin>>a>>b;//input value
if(a or b)//use if block to check condition
{
cout<<"1";//print message
}
}
int main()//defining main method
{
OR_gate();//calling method OR_gate
return 0;
}
Output:
0
1
1
Explanation:
In the above program, a method "OR_gate" is declared, and inside the method two bool variable "a and b" is defined, which input the value from the user end.
In the next step, an if block is defined, that uses the or gate to check input value and print the value that is equal to 1, and inside the main method, it call the "OR_gate" method.
Can someone help me with the following logical circuit, perform two actions. FIRST, convert the circuit into a logical
statement. SECOND, create a truth table based on the circuit/statement. (20 pts. each for statement and
truth table.
Creation of Truth Table Based on the logical statement, we can create a truth table as shown below:
A B (not A) (not A) and B (not A) and B or A A or (not A) and B 0 0 1 0 1 0 0 1 0 0 1 0 1 1 0 1 1 0 1 1 1 0 1 1 0 1 1 0 1 1 1
The first two columns show the input values, the next column shows the output of the NOT gate, then the output of the AND gate, then the output of the OR gate and finally the output of the logical statement.
We can observe that the output of the logical statement is the same as the output of the OR gate.
Given the logical circuit, we are required to perform two actions on it. Firstly, convert the circuit into a logical statement. Secondly, create a truth table based on the circuit/statement. Let's understand how to do these actions one by one:Conversion of Circuit into Logical Statement.
The given circuit contains three components: NOT gate, AND gate and OR gate. Let's analyze the working of this circuit. The two input variables A and B are first passed through the NOT gate, which gives the opposite of the input signal.
Then the NOT gate output is passed through the AND gate along with the input variable B. The output of the AND gate is then passed through the OR gate along with the input variable A.We can create a logical statement based on this working as: (not A) and B or A. This can also be represented as A or (not A) and B. Either of these statements is correct and can be used to construct the truth table.
Creation of Truth Table Based on the logical statement, we can create a truth table as shown below:
A B (not A) (not A) and B (not A) and B or A A or (not A) and B 0 0 1 0 1 0 0 1 0 0 1 0 1 1 0 1 1 0 1 1 1 0 1 1 0 1 1 0 1 1 1
In the truth table, we have all possible combinations of input variables A and B and their corresponding outputs for each component of the circuit.
The first two columns show the input values, the next column shows the output of the NOT gate, then the output of the AND gate, then the output of the OR gate and finally the output of the logical statement.
We can observe that the output of the logical statement is the same as the output of the OR gate.
For more such questions on Truth Table, click on:
https://brainly.com/question/13425324
#SPJ8
Which errors need to be corrected on this bibliography page? Check all that apply.
The errors need to be corrected on this bibliography page are:
A. The page title should not be bolded and underlined.
C. The second entry needs a hanging indent.
D. The last entry needs to have a date accessed.
E. The citations should be in alphabetical order.
What is bibliography?The sources you utilized to gather information for your report are listed in a bibliography. It appears on the final page of your report, near the finish (or last few pages).
A bibliography is a list of all the sources you utilized to research your assignment. The names of the authors are typically included in a bibliography. the names of the pieces. the names and locations of the businesses that released the sources you used for your copies. 3
The things to write on a bibliography page are:The author name.The title of the publicationThe date of publication.The place of publication of a book.The publishing company of a book.The volume number of a magazine or printed encyclopedia.The page number(s)Learn more about bibliography page from
https://brainly.com/question/27566131
#SPJ1
See options below
Which errors need to be corrected on this bibliography page? Check all that apply.
The page title, “Bibliography,” should not be in bold or underlined.
The first entry needs the author’s name.
The second entry needs a hanging indent.
The last entry needs to show the date it was accessed.
The citations should be in alphabetical order.
Answer:
What is the purpose of a bibliography or a works-cited list? Check all that apply.
to credit an author’s original idea or information
to avoid plagiarism
to organize source material
to direct readers to sources
Explanation:
In Coral Code Language - A half-life is the amount of time it takes for a substance or entity to fall to half its original value. Caffeine has a half-life of about 6 hours in humans. Given the caffeine amount (in mg) as input, output the caffeine level after 6, 12, and 18 hours.
Ex: If the input is 100, the output is:
After 6 hours: 50.0 mg
After 12 hours: 25.0 mg
After 18 hours: 12.5 mg
Note: A cup of coffee has about 100 mg. A soda has about 40 mg. An "energy" drink (a misnomer) has between 100 mg and 200 mg.
To calculate the caffeine level after 6, 12, and 18 hours using the half-life of 6 hours, you can use the formula:
Caffeine level = Initial caffeine amount * (0.5 ^ (time elapsed / half-life))
Here's the Coral Code to calculate the caffeine level:
function calculateCaffeineLevel(initialCaffeineAmount) {
const halfLife = 6; // Half-life of caffeine in hours
const levelAfter6Hours = initialCaffeineAmount * Math.pow(0.5, 6 / halfLife);
const levelAfter12Hours = initialCaffeineAmount * Math.pow(0.5, 12 / halfLife);
const levelAfter18Hours = initialCaffeineAmount * Math.pow(0.5, 18/ halfLife);
return {
'After 6 hours': levelAfter6Hours.toFixed(1),
'After 12 hours': levelAfter12Hours.toFixed(1),
'After 18 hours': levelAfter18Hours.toFixed(1)
};
}
// Example usage:
const initialCaffeineAmount = 100;
const caffeineLevels = calculateCaffeineLevel(initialCaffeineAmount);
console.log('After 6 hours:', caffeineLevels['After 6 hours'], 'mg');
console.log('After 12 hours:', caffeineLevels['After 12 hours'], 'mg');
console.log('After 18 hours:', caffeineLevels['After 18 hours'], 'mg');
When you run this code with an initial caffeine amount of 100 mg, it will output the caffeine levels after 6, 12, and 18 hours:
After 6 hours: 50.0 mg
After 12 hours: 25.0 mg
After 18 hours: 12.5 mg
You can replace the initialCaffeineAmount variable with any other value to calculate the caffeine levels for different initial amounts.
for similar questions on Coral Code Language.
https://brainly.com/question/31161819
#SPJ8
In the winter, municipal snowplows must plow both sides of city streets that are bidirectional
(two-way traffic) but they only make a single pass over unidirectional (one-way) streets. We can
represent city streets as the edges in a graph using nodes for intersections. Of course, it is a
requirement that every street be plowed appropriately (once in each direction for bidirectional
streets and only once in the proper direction for unidirectional streets). Write a program that
uses integers to represent nodes, and tuples (pairs of integers enclosed in parentheses, e.g., (4
7), to represent a street from node 4 to node 7, and a second tuple, (7 4) to represent the fact
that this is a bidirectional street). Assume that there is but a single snowplow and it must start
and return to node 1. Your program must read a collection of tuples from a file and then
produce driving instructions for the snowplow operator telling the sequence of intersections
(nodes) to visit so that all the streets are appropriately plowed. If it is impossible to perform a
correct plowing (some street would be left unplowed or some street would be plowed twice)
your program must report this fact. Your program should repeatedly read collections of tuples
and processes the information until an end-of-file is encountered. Your program will lose a
significant number of points if your algorithm fails to work properly for cities (graphs)
containing both bidirectional and unidirectional streets.
Your solution must include the data file that it uses for input. Remember NOT to use an
absolute path to access the data file – use a relative path. Be certain your data describes several
different city street situations so that your program can demonstrate that it meets all the
requirements.
Using the knowledge in computational language in python it is possible to write a code that represent city streets as the edges in a graph using nodes for intersections.
Writting the code:#include <cv.hpp>
#include <opencv2/highgui/highgui.hpp>
#include "caliberate.h"
#include <iostream>
#include <ctime>
#include <cmath>
using namespace std;
using namespace cv;
VideoCapture capture; //The capture class captures video either from harddisk(.avi) or from camera
Mat frameImg;
Mat g_image;
double dist(Point2i x1, Point2i x2)
{
return sqrt( pow((x1.x-x2.x),2) + pow((x1.y-x2.y),2) );
}
int main()
{
string fileName = "traffic.avi";
capture.open(fileName);
if( !capture.isOpened() )
{
cerr<<"video opening error\n"; waitKey(0); system("pause");
}
Mat frameImg_origSize; //image taken from camera feed in original size
namedWindow( "out" , CV_WINDOW_AUTOSIZE); //window to show output
namedWindow( "trackbar", CV_WINDOW_AUTOSIZE); //Trackbars to change value of parameters
resizeWindow( "trackbar", 300, 600); //Resizing trackbar window for proper view of all the parameters
capture>>frameImg_origSize;
if( frameImg_origSize.empty() ) { cout<<"something wrong"; }
resize(frameImg_origSize, frameImg, SMALL_SIZE, 0, 0, CV_INTER_AREA); //Resize original frame into smaller frame for faster calculations
g_image = Mat(SMALL_SIZE, CV_8UC1); g_image.setTo(0); //Gray image of frameImg
Mat roadImage = Mat(SMALL_SIZE, CV_8UC3); //Image of the road (without vehicles)
roadImage = findRoadImage();
calibPolygon(); //Polygon caliberation: Select four points of polygon (ROI) clockwise and press enter
Mat binImage = Mat(SMALL_SIZE,CV_8UC1); //white pixel = cars, black pixel = other than cars
Mat finalImage = Mat(SMALL_SIZE, CV_8UC3); //final image to show output
time_t T = time(0); //Current time
float fps = 0, lastCount = 0; //frames per second
int thresh_r = 43, thresh_g = 43, thresh_b = 49; //Threshold parameters for Red, Green, Blue colors
createTrackbar( "Red Threshold", "trackbar", &thresh_r, 255, 0 ); //Threshold for Red color
createTrackbar( "Green Threshold", "trackbar", &thresh_g, 255, 0 ); //Threshold for Green color
createTrackbar( "Blue Threshold", "trackbar", &thresh_b, 255, 0 ); //Threshold for Blue color
int dilate1=1, erode1=2, dilate2=5; //Dilate and Erode parameters
Mat imgA = Mat(SMALL_SIZE, CV_8SC3); //Used for opticalFlow
int win_size = 20; //parameter for opticalFlow
int corner_count = MAX_CORNERS; //no of points tracked in opticalFlow
vector<Point2i> cornersA, cornersB;
frameImg.copyTo(imgA);
int arrowGap = 5; //distance between consecutive tracking points (opticalFlow)
createTrackbar("dilate 1","trackbar", &dilate1, 15, 0);
createTrackbar("erode 1","trackbar", &erode1, 15, 0);
createTrackbar("dilate 2","trackbar", &dilate2, 15, 0);
See more about python at brainly.com/question/18502436
#SPJ1
In a library database, where would you have the potential for repeating groups? What are the potential problems? Explain.
In a library database, repeating groups can potentially occur in the following scenarios:
A book can have multiple authors
A book can have multiple subjects
A patron can borrow multiple books
A patron can have multiple addresses or phone numbers on file
The potential problem with repeating groups is that they can lead to data redundancy and inconsistency. For instance, if a book has multiple authors, the title and other book-related data may need to be repeated for each author. This can lead to inconsistencies in data, as any changes made to the book data may not be reflected accurately for each author. Similarly, if a patron has multiple addresses on file, changes made to one address may not be reflected for the other address.
Another problem with repeating groups is that they can lead to difficulties in searching and querying the database. For instance, if a book has multiple subjects, it may be difficult to search for all books related to a particular subject. In such cases, normalization techniques may be used to reduce the redundancy and inconsistencies associated with repeating groups.
mark me as brainliest if that helps
What is a promotional activity for a film?
Answer:
Sometimes called the press junket or film junket, film promotion generally includes press releases, advertising campaigns, merchandising, franchising, media and interviews with the key people involved with the making of the film, like actors and directors.
Explanation:
1. How is the pronoun their used in the second sentence?
The students in Mrs. Powell 's classroom completed the service project in record time. Their
contributions to the community were broadcast on the local news,
A. To link a subject with the word(s)that describes it
B. To replace prepositions
C. To show possession
D. To replace an article like the or an
The pronoun is used in the second sentence as To link a subject with the word(s)that describes it.
What is a pronoun?This is known to be a word or phrase that is said to be used to replace a noun or noun phrase.
Note that in the above sentence, the pronoun " their" is used to The pronoun is used in the second sentence as To link a subject with the word(s)that describes it as it tells more about service project.
Learn more about pronoun from
https://brainly.com/question/395844
#SPJ1
The classes and interfaces which comprise the collections framework are members of package ________.
A) java.util.
B) javax.swing.
C) java.collections.
D) java.collection.
The classes and interfaces which comprise the collections framework are members of package java.util. The correct answer to the given question is option A).
The collections framework in Java is a set of classes and interfaces that implement reusable collection data structures. It is a framework of classes and interfaces that provide extensive support for dealing with collections and its elements. The classes and interfaces that make up the collections framework are located in the java.util package.The collections framework is used to manipulate a group of objects. The framework provides an architecture to store, manipulate and retrieve collections of objects efficiently. The classes and interfaces are used to organize and manipulate large amounts of data. The java.util package contains the collection classes and interfaces used to implement the framework. The collection classes are used to implement the collection interfaces. Some collection interfaces are List, Set, Map, Queue, Deque, SortedSet, SortedMap, etc.Learn more about interfaces: https://brainly.com/question/29541505
#SPJ11
3X5
0
Problem 12:
Write a function problemi_2(x,y) that prints the sum and product of the
numbers x and y on separate Lines, the sum printing first.
Nam
RAN
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
def problemi_2(x,y):
X es 2
In
y en 5
print()
print("* + y
print("* * y
In
Trac
Fi
Name
In [C
Answer:
15
Explanation:
cause when you multiply three by five it will give u 15
The code is working fine but I keep getting an EOF error on my 2nd last line.
program:
# option list for user choice
option = ['y', 'yes', 'YES', 'n', 'no', 'NO']
# invalid characters for hawaiian language
invalid_letters = {"b", "c", "d", "f", "g", "j", "q", "r", "s", "t", "v", "x", "y", "z"}
# dictionary for pronunciation of the letters of word
dictionary = {
'a' : 'ah',
'e' : 'eh',
'i' : 'ee',
'o' : 'oh',
'u' : 'oo',
'ai' : 'eye',
'ae' : 'eye',
'ao' : 'ow',
'au' : 'ow',
'ei' : 'ay',
'eu' : 'eh-oo',
'iu' : 'ew',
'oi' : 'oy',
'ou' : 'ow',
'ui' : 'ooey',
'p' : 'p',
'k' : 'k',
'h' : 'h',
'l' : 'l',
'm' : 'm',
'n' : 'n',
'w' : ['v', 'w']
}
# loop for user input
while option not in ['n', 'no']:
Alolan_word = input("Enter a hawaiian word: ").lower()
word = ' ' + Alolan_word + ' '
pronunciation = ''
skip = False
# loop for traversing the word by character wise
# match each character of word with elements of invalid_letters
for letter in Alolan_word:
if letter in invalid_letters:
print("Invalid word, " + letter + " is not a valid hawaiian character.")
break
# loop for scanning the accepted word letter wise
# match each letter of th word with corresponding pronunciation in the dictionary
for index in range(1,len(word)-1):
letter = word[index]
if skip:
skip = False
continue
if letter in {'p','k','h','l','m','n'}:
pronunciation += dictionary[letter]
if letter == 'w':
if word[index-1] in {'i','e'}:
pronunciation += dictionary[letter][0]
else:
pronunciation += dictionary[letter][1]
if letter == 'a':
if word[index+1] in {'i','e'}:
pronunciation += dictionary['ai'] + '-'
skip = True
elif word[index+1] in {'o', 'u'}:
pronunciation += dictionary['ao'] + '-'
skip = True
else:
pronunciation += dictionary[letter] + '-'
if letter == 'e':
if word[index+1] == 'i':
pronunciation += dictionary['ei'] + '-'
skip = True
elif word [index+1] == 'u':
pronunciation += dictionary['eu'] + '-'
skip = True
else:
pronunciation += dictionary[letter] + '-'
if letter == 'i':
if word[index+1] == 'u':
pronunciation += dictionary['iu'] + '-'
skip = True
else:
pronunciation += dictionary[letter] + '-'
if letter == 'o':
if word[index+1] == 'i':
pronunciation += dictionary['oi'] + '-'
skip = True
elif word [index+1] == 'u':
pronunciation += dictionary['ou'] + '-'
skip = True
else:
pronunciation += dictionary[letter] + '-'
if letter == 'u':
if word[index+1] == 'i':
pronunciation += dictionary['ui'] + '-'
skip = True
else:
pronunciation += dictionary[letter] + '-'
if letter in {"'", ' '}:
if pronunciation[-1] == '-':
pronunciation = pronunciation[:-1]
pronunciation += letter
if pronunciation[-1] == '-':
pronunciation = pronunciation[:-1]
# display the pronounciation of accepted word in hawaiian language
print(Alolan_word.upper() + " is pronounced " + pronunciation.capitalize())
option = input("Would you like to enter another word? [y/yes, n/no] ").lower()
print("All done.")
Answer:
Code is in the attached .txt file
Explanation:
It must have been an indentation error since I get good results using your code properly formatted. I am not sure what the original problem was so unable to comment further
What is the biggest problem with technology today?
Answer:
Employee productivity measurements and too mich focus on automation.
Freeze column A and rows 1 through 3 in the worksheet
The question tells us that we are dealing with an Excel Worksheet task.
The most popular workbooks are:
"MS Excel" and "G-Sheets"The purposes of this question we will consider both.
Columns in either of the two types of worksheets mentioned above refer to the Vertical Grids which run through the sheets.
Rows on the other hand refer to the Horizontal Grids which run through the sheets. Both Columns and Rows comprise Cells.
Freezing in this sense refers to the act of ensuring that regardless of which direction the worksheet is scrolled, the frozen parts remain visible on the screen.
How to Freeze Column A and Rows 1 to 3
In "MS Excel":
Open Microsoft Excel Click on Blank WorkbookClick on Cell B4 to highlight itOn the ribbon above, click on view to display its sub-functionsselect Freeze PanesThis action will freeze the entire column A as well as Row 1 to 3. To increase the number of rows from 1-3 to 1 to 5 for instance, you'd need to return to the View Function, Unfreeze the Panes, select Cell B6 then select Freeze Panes.
In "G-Sheets"
Ensure that your computer is online, that is, connected to the internetOpen "G-Sheets"Place your mouse cursor on cell B3 and click to highlight itWith your click on View in the ribbon above. This will display the Freeze function in "G-Sheets" along with its subfunctionsSelect the "Freeze + Up to row 3". This action will freeze Rows 1 to 3.Next, click anywhere in Column ACarry out step 4 above and select "Freeze + Up to column A"For more about Freezing Work Sheets click the link below:
https://brainly.com/question/17194167
Assume there is a variable, h already associated with a positive integer value. Write the code necessary to count the number of perfect
squares whose value is less than h, starting with 1. (A perfect square is an integer like 9, 16, 25, 36 that is equal to the square of
another integer (in this case 3*3, 44, 55, 6*6 respectively).) Assign the sum you compute to a variable q For example, if h is 19, you
would assign 4 to q because there are perfect squares (starting with 1) that are less than h are: 1, 4, 9, 16.
Here's the code to count the number of perfect squares less than the given value h:
import math
h = 19 # Assuming h is already assigned a positive integer value
count = 0 # Initialize the count of perfect squares to 0
for i in range(1, int(math.sqrt(h)) + 1):
if i * i < h:
count += In this code, we use a for loop to iterate over the range of numbers from 1 to the square root of h (inclusive). We check if the square of the current number (i * i) is less than h. If it is, we increment the count variable.
After the loop, the final count of perfect squares less than h is stored in the variable count. Finally, we assign the value of count to the variable q as requested.1
q = count # Assign the count of perfect squares to the variable q.
for similar questions on programming.
https://brainly.com/question/23275071
#SPJ8
You are planning to help students learn to program in Python. Some of the steps are below, but not in any particular order.
Match the step with your plan for the app.
Wireframe your app
Define your objectives.
Define use case(s).
User enters a topic, the app switches to a screen with an explanation. This app will help users learn to program Python. On that screen, the user can choose to see sample code.
You draw mock-ups of each screen and identify the input-process-output for each screen
You show how each screen flows to the other screens,
The steps learn to program in Python are:
Define your objectives.Define use case(s).You draw mock-ups..User enters a topic..You show how each screen flows to the other screens,Wireframe your appHow do one run Python on your computer.One can do so by the us of Thonny IDE which one needs to run the installer on ones computer then one goes to File and then a person can write Python code in the file and save it and later run it
Note that The steps learn to program in Python are:
Define your objectives.Define use case(s).User enters a topic, the app switches to a screen with an explanation. This app will help users learn to program Python. On that screen, the user can choose to see sample code.You draw mock-ups of each screen and identify the input-process-output for each screen.You show how each screen flows to the other screensWireframe your app.Learn more about Python from
https://brainly.com/question/26497128
#SPJ1
9- Which type of view is not present in MS
PowerPoint?
(A) Extreme animation
(B) Slide show
(C) Slide sorter
(D) Normal
Answer:
A.Extreme animation
hope it helpss
What symbol following a menu command lets you know that a dialog box will be displayed? an ellipse an arrow a check mark a radio button
cords and batteries or electric radio
Answer:
It would be an ellipse
(30 points) Medium Access Control (Questions) Q1: (25 points) Explain in your own words the evolution from Aloha to CSMA/CD. Explain how they differ and how each newer protocol improves the previous one: describe each one how it works and provide its perforamance, then contrast it with the protocol it improves. Q2: (5 points) What is the purpose of collision detection in CSMA/CD
Answer: : Provided below in the explanation section
Explanation:
ALOHA ,CSMA and CSMA/CD are Random access protocol which goes under Multiple entrance protocol.
IN arbitrary or random access protocol no station is relegated any predominance. In wcich each station have equivalent rights over the medium in which they need to transmit information.
Salaam is an irregular access protocol, a framework for getting to the mutual correspondence Networks channel. It was created during the 1970s by Norman Abramson and his partners at the University of Hawaii.
In Aloha, different stations can transmit information simultaneously and can henceforth prompt crash and information being jumbled.
From research we can say that there are two unique renditions of ALOHA:
Slotted ALOHA Pure ALOHA
In the Slotted ALOHA, the hour of getting to the mutual channel is partitioned into discrete intervals called slots.
While for the Pure ALOHA, the stations transmit outlines at whatever point they have information to send.
Opened ALOHA was created to improve the productivity of unadulterated ALOHA as odds of impact in unadulterated ALOHA is exceptionally high.
Still there are a few weaknesses in Aloha i.e, In ALOHA, hubs transmit parcels when they are accessible, without detecting the remote bearer. Therefore, parcels may crash at a beneficiary on the off chance that they are transmitted at the same time.
TO maintain a strategic distance from the above issue there came another protocal CSMA which is called as Carrier Sense Multiple Access (it is an improved type of irregular access convention that previously existed). The name its self proposes that in this the hubs first sense the remote medium before transmitting their information bundles. In the event that the medium is detected occupied, at that point transmissions are postponed else the information bundles are transmited.
After which CSMA/CD (Carrier sense different access with crash location) and CSMA/CA (Carrier sense numerous entrance with impact shirking) are acquainted with further more increment the productivity in impact recognition and impact evasion individually. When a collosion is dectected by CSMA/CD, it retransmits the impacted casings again by halting the transmision when crash recognized. Where as CSMA/CA thoroughly stays away from crash it helps in maintaining a strategic distance from impacts with the assistance of Interframe space(), Contention Window and Acknowledgment
For Q2:-
The prime reason for development from ALOHA to CSMA/CD is that the crash between the data packets.
That is to say CD in CSMA/CD i.e, Collision Detection reason for existing is that, at whatever point a crash occurs in a medium between the parcels it will help in halting the transmission and retransmit the impacted casing again and afterward proceeds with the halted transmission.
free up disk space by doing____?
Answer:
Deleting files and etc on your computer.
A Process of receiving selecting
organizing interpreting checking and
reacting to sensory stimuli or data
so as to form a meaningful and
coherent picture of the world is
Select one:
a. Attitude
b. Perception
c. Communication
d. Thinking
= Perception
Answer:
I think it’s B based on the answer choices
Explanation:
A stack is initially empty, then the following commands are performed: push 5, push 7, pop, push 10, push 5, pop , which of the following is the correct stack after those commands (assume the top of the stack is on the left)?
a. 10 7 8 5 9
b. 10 8 5
c. 8 5 9
d. 8 5
Answer:
The answer is "5, 10".
Explanation:
In this question values are different that's why all choice was wrong, it correct solution can be defined as follows:
In the stack, we use the "push and pop" method that works as follows:
Push is used to inserting the value into the stack.Pop is used for deleting the value from the stack.#define DIRECTN 100
#define INDIRECT1 20
#define INDIRECT2 5
#define PTRBLOCKS 200
typedef struct {
filename[MAXFILELEN];
attributesType attributes; // file attributes
uint32 reference_count; // Number of hard links
uint64 size; // size of file
uint64 direct[DIRECTN]; // direct data blocks
uint64 indirect[INDIRECT1]; // single indirect blocks
uint64 indirect2[INDIRECT2]; // double indirect
} InodeType;
Single and double indirect inodes have the following structure:
typedef struct
{
uint64 block_ptr[PTRBLOCKS];
}
IndirectNodeType;
Required:
Assuming a block size of 0x1000 bytes, write pseudocode to return the block number associated with an offset of N bytes into the file.
Answer:
WOW! that does not look easy!
Explanation:
I wish i could help but i have no idea how to do that lol
You enjoy helping people find solutions to problems that they are having with technology. Which job might be best for you?
A database manager
B technical support
C website design
D data scientist
Answer: B - technical support
Explanation:
How does one take personal responsibility when choosing healthy eating options? Select three options.
1 create a log of what one eats each day
2 increase one’s consumption of fast food
3 critique one’s diet for overall balance of key nutrients
4 identify personal barriers that prevent an individual from making poor food choices
5 eat only what is shown on television advertisements
The three options to a healthier eating culture are:
create a log of what one eats each daycritique one’s diet for overall balance of key nutrientsidentify personal barriers that prevent an individual from making poor food choicesHow can this help?Create a log of what one eats each day: By keeping track of what you eat, you become more aware of your eating habits and can identify areas where you may need to make changes. This can also help you to monitor your intake of certain nutrients, and ensure that you are getting enough of what your body needs.
Critique one’s diet for overall balance of key nutrients: A balanced diet should include a variety of foods from different food groups. By assessing your diet, you can determine whether you are consuming enough fruits, vegetables, whole grains, lean proteins, and healthy fats. If you find that you are lacking in any of these areas, you can adjust your eating habits accordingly.
Read more about healthy eating here:
https://brainly.com/question/30288452
#SPJ1
What type of attack against a web application uses a newly discovered vulnerability that is not patchable?
A.
Cross-site scripting (XSS)
B.
Structured Query Language (SQL) injection
C.
Zero-day attack
D.
Cross-site request forgery (CSRF)
Answer:
C. Zero-day attack.
Explanation:
A zero-day attack is a type of cyber attack that exploits a vulnerability in software or hardware that is unknown to the party responsible for patching or otherwise protecting the affected system. These attacks can have a significant impact because they take advantage of vulnerabilities that have not yet been discovered or fixed. The term "zero-day" refers to the fact that the attacker is able to take advantage of the vulnerability on the same day that it is discovered, before the vendor has had a chance to develop and distribute a patch to address the issue.