Consider a short, 10-meter link, over which a sender can transmit at a rate of 150 bits/sec in both directions. Suppose that packets containing data are 100,000 bits long, and packets containing only control (e.g., ACK or handshaking) are 200 bits long. Assume that N parallel connections each get 1 of the link bandwidth N. Now consider the HTTP protocol, and suppose that each download object is 100 Kbits long and that the initial download object contains 10 referenced objects from the same sender.
Would parallel downloads via parallel instances of non-persistent HTTP make sense in this case? Now consider persistent HTTP. Do you expect significant gains over the non-persistent case? Justify and explain your answer.

Answers

Answer 1

Answer:

The Tp value 0.03 micro seconds as calculated in the explanation below is negligible. This would lead to a similar value of time delay for both persistent HTTP and non-persistent HTTP.

Thus, persistent HTTP is not faster than non-persistent HTTP with parallel downloads.

Explanation:

Given details are below:

Length of the link = 10 meters

Bandwidth = 150 bits/sec

Size of a data packet = 100,000 bits

Size of a control packet = 200 bits

Size of the downloaded object = 100Kbits

No. of referenced objects = 10

Ler Tp to be the propagation delay between the client and the server, dp be the propagation delay and dt be the transmission delay.

The formula below is used to calculate the total time delay for sending and receiving packets :

d = dp (propagation delay) + dt (transmission delay)

For Parallel downloads through parallel instances of non-persistent HTTP :

Bandwidth = 150 bits/sec

No. of referenced objects = 10

For each parallel download, the bandwith = 150/10

  = 15 bits/sec

10 independent connections are established, during parallel downloads,  and the objects are downloaded simultaneously on these networks. First, a request for the object was sent by a client . Then, the request was processed by the server and once the connection is set, the server sends the object in response.

Therefore, for parallel downloads, the total time required  is calculated as:

(200/150 + Tp + 200/150 + Tp + 200/150 + Tp + 100,000/150 + Tp) + (200/15 + Tp + 200/15 + Tp + 200/150 + Tp + 100,000/15 + Tp)

= ((200+200+200+100,00)/150 + 4Tp) + ((200+200+200+100,00)/15 + 4Tp)

= ((100,600)/150 + 4Tp) + ((100,600)/15 + 4Tp)

= (670 + 4Tp) + (6706 + 4Tp)

= 7377 + 8 Tp seconds

Thus, parallel instances of non-persistent HTTP makes sense in this case.

Let the speed of propogation  of the medium be 300*106 m/sec.

Then, Tp = 10/(300*106)

               = 0.03 micro seconds

The Tp value 0.03 micro seconds as calculated above is negligible. This would lead to a similar value of time delay for both persistent HTTP and non-persistent HTTP. Thus, persistent HTTP is not faster than non-persistent HTTP with parallel downloads.


Related Questions

Agile methods use rapid development cycles to iteratively produce running versions of the system. How would these shorter cycles affect the ability of the analyst to manage system’s requirements?

Answers

Answer:

The correct answer to the following question will be "Iterative procedure".

Explanation:

Iterative production or procedure seems to be a technique of distinguishing product progression from expansive implementation to littler bits. This including code in regurgitated processes is designed, developed and attempted.

Regularly iterative architecture is used in conjunction with gradual improvement where a certain more sketched-out process of code progress is composed of littler components building on each other.

Time-consuming.Better testing.Better product.Review of code.

This will improve observer performance, as each move is systematic and cheap to run.

The shorter cycles of Iterative production affect the ability of the analyst to manage system’s requirements in a way that improve the observer performance as each move is systematic and cheap to run.

An Iterative production means a technique of distinguishing product progression from expansive implementation to littler bits.

An Iterative production which includes code in regurgitated processes is designed, developed and attempted.

In conclusion, the shorter cycles of Iterative production affect the ability of the analyst to manage system’s requirements in a way that improve the observer performance as each move is systematic and cheap to run.

Read more about Iterative production

brainly.com/question/6019026

1. Voltage (V) is a measure of how much electrical energy is in a circuit. Most household circuits operate at 120 volts (120 V). Is this true of the computer?

Answers

Answer:

no

Explanation:

The computer has a PSU(power supply unit )which is a hardware component of a computer that supplies all other components with power. The power supply converts the 120 volt AC (alternating current) into a steady low-voltage DC (direct current) usable by the computer.

parts in a PSU include

   A rectifier that converts AC (alternating current) into DC.

   A filter that smooths out the DC (direct current) coming from a rectifier.

   A transformer that controls the incoming voltage by stepping it up or down.

   A voltage regulator that controls the DC output, allowing the correct amount of power, volts or watts, to be supplied to other computer hardware.

The homework is based on E5.3, write a program that has the following methods. a. int firstDigit(int n) , returning the first digit of the argument b. int lastDigit(int n) , returning the last digit of the argument c. int digits(int n) , returning the number of digits of the argument For example, firstDigit(1729) is 1, last digit(1729) is 9, and digits(1729) is 4. d. a main method that i) ask the user to input a non-negative integer ii) print out the number of digits, the first digit and the last digit of the input by calling the methods you defined iii) repeat the above process (i and ii) until the user input a negative number

Answers

Answer:

C++ code is explained

Explanation:

#include <iostream>

#include <string>

#include <sstream>

using namespace std;

int firstDigit(int n){

// Converting int to string

ostringstream convert;

convert << n;

string s = convert.str();

char first_char = s[0];

int first_int = first_char - '0';

return first_int;

}

int lastDigit(int n){

// Converting int to string

ostringstream convert;

convert << n;

string s = convert.str();

char last_char = s[s.length() - 1];

int last_int = last_char - '0';

return last_int;

}

int digits(int n){

// Converting int to string

ostringstream convert;

convert << n;

string s = convert.str();

int length = s.length();

return length;

}

int main() {

int number;

cout << "Enter integer: " << endl;

cin >> number;

cout << "The first digit of the number is " << firstDigit(number) << endl;

cout << "The last digit of the number is " << lastDigit(number) << endl;

cout << "The number of digits of the number is " << digits(number) << endl;

}

You coded the following class:

try

{

Scanner file = new Scanner( new File("data.txt"));

String s = file.nextLine();

}
catch (ArithmeticException ae)

{

System.out.println(ae.getMessage());

}

Explain what the problem is and how to fix it.

Answers

Answer:

The code above tries to read a file using the scanner class in java programming language.

But it was done properly.

First, the scanner class library is not imported to the program.

Second,the syntax used in this program is an invalid way of reading a file in java programming language using the scanner class.

Lastly, "String s = file.nextLine();" is not a proper way of reading each line

To correct this problem; use the following code;

import java.util.Scanner;

import java.io.File;

import java.io.FileNotFoundException;

public class ReadFileWithScanner {

try

{

public static void main(String args[]) throws FileNotFoundException {

File text = new File("data.txt");

Scanner file = new Scanner(text);

int lines = 1;

while(file.hasNextLine()){

String line = filw.nextLine();

System.out.println("line " + lines + " :" + line);

lines++;

}

catch (ArithmeticException ae)

{

System.out.println(ae.getMessage());

}

}

}

Nicholas Carr says firms shouldn't develop their own IS because any competitive advantage produced by the new system will be lost as a result of dissemination of the new technology into the market. In this statement, he is referring to the process of ______.

Answers

Answer:

Transference

Explanation:

According to carr

Some example questions include: ""How does multithreading affect the throughput of a GetFile Server hosting many very large files?"" or ""How does multithreading affect the average response time for a GetFile server hosting a few small files?""

Answers

How does multithreading affect the throughput of a GetFile Server hosting many very large files?

Answer:

It create multiple threads of large file which eventually causes in slowing down the speed of server which results in slower response time.

How does multithreading affect the average response time for a GetFile server hosting a few small files?

Answer:

Multiple threads in smaller files result in rapid response time and enormous process speed in small files.

A case competitions database:You work for a firm that has decided to sponsor case competitions between teams of college business students, and you were put in charge of creating a database to keep the corresponding data. The firm plans to hold about dozens of different regional competitions at various dates that will take place at different branches around the country. For each competition, you need to store a name, date, and the name of the branch where it is going to take place. For each college that has agreed to participate in the competition, you need to store the college name, a contact phone number, and a contact address. Each college can participate in only one competition, and the database should know which competition each college is participating in. On the other hand, each college is allowed to send more than one team to its competition. Each team gives itself a name and a color, and consists of several students of the same college; for each student, you want to store a first name, last name, date of birth, major, and expected graduation date. Question: How many tables do you need

Answers

Answer:

We will ned (4) four tables.

Explanation:

For the given scenario we will have to build a relational database. The database will have four tables i.e. Competation, Collage, Team and student.

For each table the database fields are mention below. Note that foreign keys are mentioned in itallic.

Competition:

Competition_ID, Competition_Name, Competition_Data, Competition_Name _of_Branch, College_ID

Collage:

Collage_ID, Collage_Name, Collage_Contact, Collage_address

Team:

Name, Color, Team_ID, College_ID, Competition_ID

College:

Student_ID, First_Name, Last_Name, Date_of_Birth, Major, Expected_Gradiuation_Date, Collage_ID, Team_ID, Competation_ID

Final answer:

To organize the required data for your firm's case competitions, you would need to create four tables: Competitions, Colleges, Teams, and Students. These tables would store competition details, college contact information, team names and colors, and student demographics, respectively.

Explanation:

Databases organize information into tables that are composed of rows and columns where each row is a record for an entity and each column is an attribute of the entity. For your case competition database, you will need different tables to store related data without redundancy. The goal here is consistency, efficiency, and comprehensibility. Let's break down the tables you would require:

A Competitions table to store each competition's name, date, and branch location.A Colleges table to store participating college's name, contact phone number, and address, with a reference to the competition they are participating in.A Teams table to record each team's name, color, and associated college.A Students table to keep track of all student participants' first name, last name, date of birth, major, and expected graduation date, with a reference to their team.

By designing your database with these four tables, you ensure data is grouped logically and related information is linked appropriately to eliminate the need for repeated data entry and promote efficient data management.

If, during the course of their investigation into the incident, CIRT members have a chance to launch a counter-attack on the attackers who first caused the incident, they should take the opportunity to do so. Launching a counter-attack is important to protecting CBFs.
O True
O False

Answers

Answer:

False.

Explanation:

Representatives of the following team must answer, examine, as well as report that evidence in even the most timely way possible throughout the examination through the circumstance . They should not be conducting the counter attack to defend CBFs. They defend this in a different way.

So that is the reason by which the following statement is false.

Design a 128KB direct-mapped data cache that uses a 32-bit address and 16 bytes per block. The design consists of two components: (1) The 32-bit memory address is subdivided into several sections in bits so that each address can map to its cache location (2) The cache itself including the cache storage and other necessary bits in each cache line. Explain your design.

Answers

Answer:

See the attached pictures for detailed answer.

Explanation:

The cache contain 8K number of blocks.each block has 16 Byte worth of data. Each of these bytes are addressable by block offset. Now, each of these blocks are addressable and their address is provided by line offset or set offset. If block number is given in Decimal format then the block to which that block will be mapped is given by expression

mappedToBlock = (bNumber)mod2​​​13

TAG and valid but consititues something called cache controller. TAG holds the physical address information because the TAG in physical address get divided into TAG and line offset in cache address. Valid bit tells status of blocks. If it is 1 then data blocks are referred by CPI else not.

Your friend has a Lenovo IdeaPad N580 laptop, and the hard drive has failed. Her uncle has offered to give her a working hard drive he no longer needs, the Toshiba MK8009GAH 80-GB 4200-RPM drive. Will this drive fit this laptop? Why or why not?a. Yes, the drive form factor and interface connectors match.b. No, the drive form factor matches but the interface does not match.c. Yes, the drive form factor, spindle speed, and interface all match.d. No, the drive form factor and interface do not match.

Answers

Solution:

It will not fit on Lenovo Ideapad N580.

The Ideapad N580 will fit HDD of form factor 2.5" (2.5 Inch) but the form factor of Toshiba mk8009GAH is 1.8" hence won't fit in the slot.

The interface type specifies which type of connector used to connect the motherboard and the HDD and it should be the same in order to use on it.

Ideapad uses the SATA interface type to connect the HDD but the Toshiba mk8009GAH is having an ATA type interface on it hence they cannot be connected with each other.

Final answer:

No, the Toshiba MK8009GAH 80-GB 4200-RPM hard drive will not fit in the Lenovo IdeaPad N580 laptop because it is a 1.8-inch PATA (IDE) drive, while the laptop requires a 2.5-inch SATA drive.

Explanation:

To determine if the Toshiba MK8009GAH 80-GB 4200-RPM hard drive will fit in the Lenovo IdeaPad N580 laptop, we'll need to consider both the drive form factor and interface connector compatibility. Most laptops, including the Lenovo IdeaPad N580, use a 2.5-inch SATA hard drive. The Toshiba MK8009GAH, however, is an older 1.8-inch PATA (IDE) drive (as indicated by its 4200-RPM speed which is more common in older drives, and the MK series which was typically PATA drives).

The answer is d. No, the drive form factor and interface do not match. The physical size (form factor) of the Toshiba drive is smaller and the interface is IDE, not SATA. Therefore, this drive would not fit nor connect properly without an appropriate adapter, which typically is not a feasible solution for replacing a laptop hard drive.

A variation of client-server computing is ____, in which software that allows for applications are installed on servers and then accessed and executed through desktop clients, instead of installing applications on each individual client computer.

Answers

Answer:

Terminal services

Explanation:

Terminal services are multiuser, lean client environment from Microsoft which was built for Windows servers. It was first launched on the Windows NT 4.0 in 1996, as of the 2009 the launch of Windows Server 2008 R2, it became part of Remote Desktop Services (RDS), and exclusively, the "shared sessions" method in RDS.

Just like in the old times of mainframes, Terminal Services supports numerous users connected to a central computer. The user's device can be a compact PC, bare-bones PC or a dedicated terminal, and all of them are to function as input/output (I/O) terminals and use the same OS and applications running in the server. Terminal Services utilizes the Microsoft's Remote Desktop Protocol (RDP) to govern mouse, keyboard and screen transfer.

As part of the systems engineering development team, use IDEF0 to develop a functional architecture. The functional architecture should address all of the functions associated with the ATM. This functional architecture should be at least two levels deep and should be four levels deep in at least one functional area that is most complex. Note that you will be graded on your adherence to proper IDEF0 semantics and syntax, as well as the substance of your work.

Pick three scenarios from the operational concept and describe how these scenarios can be realized within your functional architecture by tracing functionality paths through the functional architecture. Start with the external input(s) relevant to each scenario and show how each input(s) is(are) transformed by tracing from function to function at various levels of the functional decomposition, until the scenario's output(s) is(are) produced. Highlight with three different colors (one color for each scenario) the thread of functionality associated with each of these three scenarios.

If your functional architecture is inadequate, make the appropriate changes to your functional architecture.239

As part of the systems engineering development team for the ATM, update your requirements document to reflect any insights into requirements that you obtained by creating a functional architecture. That is, if you added, deleted, or modified any input, controls, or outputs for the system, modify your input/output requirements. Also update your external systems diagram if any changes are needed.

Answers

Answer:

Explanation: see attachment below

19. When troubleshooting a desktop motherboard, you discover the network port no longer works. What is the best and least expensive solution to this problem? If this solution does not work, which solution should you try next?

Answers

Answer:

Disable the network port and install a network card in an expansion slot.

Explanation:

The best and least expensive solution will be to disable the network port, once that is done, you install a network card in the card expansion slot.

This way you can still connect wireless devices to your computer and the network issue will be solved.

Answer: Update the Motherboard Drivers

Explanation:  I would try update the motherboard drivers 1st.

Suppose Host A wants to send a large file to host B. The path from Host A to Host B has three links, of rates R1 = 500 kbps, R2=2 Mbps, and R3 = 1 Mbps. Assuming no other traffic in the network, what is the throughput for the file transfer? 500 kbps

Answers

Answer:

500kbps

Explanation:

Bandwidth is the actual amount of data that a network is capable of transferring theoretically.

Throughput is the actual amount of data passing through a connection. It is the rate (usually measured in bps- bits per sec or pps - packets per second) at which packets or bits are successfully delivered over a network channel

If R₁=500 kbps, R₂=2 Mbps, and R₃ = 1 Mbps.

Since there is no other traffic in the link from Host A to Host B, the Throughput is the minimum of the links between Host A and Host B. Therefore:

Throughput= Mininum(R₁,R₂,R₃)

=500kbps

Public-key cryptography can be used for encryption (ElGamal for instance) and key exchange. Furthermore, it has some properties (such as nonrepudiation) which are not offered by secret key cryptography. So why do we still use symmetric cryptography in applications?

Answers

Answer:

Advantage symmetric cryptography

Explanation:

1. The same key is used to both encrypt and decrypt messages.  

2. Symmetric key algorithms are widely applied in various types of computer systems to improve data security.

3. The security of symmetric encryption systems is based on the difficulty of randomly guessing the corresponding key to force them.

4. The Advanced Encryption Standard (AES) widely used in both secure messaging applications and cloud storage is a prominent example of symmetric encryption.

5. For every bit added to the length of a symmetric key, the difficulty of decrypting encryption using a brute force attack increases exponentially.

Answer:

data security and user privacy

Explanation:Symmetric algorithms provide a fairly high level of security while at the same time allowing for messages to be encrypted and decrypted quickly. The relative simplicity of symmetric systems is also a logistical advantage, as they require less computing power than the asymmetric ones. In addition, the security provided by symmetric encryption can be scaled up simply by increasing key lengths. For every single bit added to the length of a symmetric key, the difficulty of cracking the encryption through a brute force attack increases exponentially.

Write a logical expression that is equivalent to the Exclusive OR gate on 2 inputs, called in1, in2: If either one or the other (but not both) input is True, then your expression should evaluate to True. Otherwise (both inputs are True or both inputs are False), then your expression should evaluate to False.

Answers

Answer:

F= in1'.in2' + (in1.in2)' + in1'. in2+ in1.in2'

Explanation:

See the truth table in the attachment

I have used apostropy (') to write complement

1. Update the payroll program, so that if user enters more than 60 hours a week, it should display double time for hours more than 60, one-half time more than 40 and less than or equal to 60. On the end program should display the gross pay for that employee or user. Save the program in payroll.py.

Answers

Answer:

The initial program was not provided.

I'll answer the question base on the following assumptions.

1. I'll declare a rate of payment for hours more than 60 and a different rate of payment for hours between 40 and 60.

2. Gross payment is calculated by rates of payment * hours worked.

# Program starts here

# Comments are used for explanatory purpose

def main():

#accept input for hours

x= input ("Enter Hours Worked per week")

#convert to integer

hours = int(x)

#accept input for rate of payment

y= input ("Enter Rate of payment per week")

#convert to integer

Rate = int(y)

#test the range of values of hours

if(hours>60):

st= "double time for hours more than 60"

elif(hours>=40 && hours<=60):

st= "one-half time more than 40 and less than or equal to 60"

print(st)

Gross = Rate * hours

print(Gross)

Print out the value and double it (multiply by 2). Continue printing and doubling (all on the same line, separated by one space each) as long as the current number is less than 1000, or until 8 numbers have been printed on the line.

Answers

Answer:

value=int(input("Enter the value from where the user wants to starts: "))#Take the value from the user.

i=1#intialize the value of a variable by 1.

while(value<1000) and (i<9):#while loop which prints the value.

   print(value,end=" ")# print the value.

   value=value*2#calculate the value to print.

   i=i+1#calculate the value for the count.

Output:

If the user enter 5, then the output is : "5 10 20 40 80 160 320 640".

If the user enter 5, then the output is : "3 6 12 24 48 96 192 384".

Explanation:

The above code is in python language, in which the first line of the program is used to render a message to the user, take the input from the user and store it into value variable after converting it into an integer.Then the loop will calculate the double value and then it prints the value with the help of print function.The end function puts the spaces between numbers.

Banks often record transactions on an account in order of the times of the transactions, but many people like to receive their bank statements with checks listed in order by check number. People usually write checks in order by check number, and merchants usually cash them with reasonable dispatch. The problem of converting time-of-transaction ordering to check-number ordering is therefore the problem of sorting almost-sorted input. Argue that the procedure INSERTION-SORT would tend to beat the procedure QUICKSORT on this problem.

Answers

Answer: Insertion Sort is more efficient , stable and faster than quick sort in writing sorting algorithms.

Insertion sort saves space without moving blocks of data and ensuring data stability.

Explanation:

Insertion Sort involves sorting given items in an algorithm by taking unsorted items, inserting them in sorted order in front of the other items and repeating until all items are in order.

Insertion sort process is relatively stable and faster compared to both quick sort and merge sort in algorithm manipulation since we are only moving smaller items in front without moving blocks of items.

On the other hand, Quick Sort is an algorithm that involves or chooses a random pivot and sort items smaller than the chosen pivot to the left and items bigger than the chosen pivot to the right till all items are in sorted order.

Quick Sort is a space sorting algorithm with extra stack frame space and has a risk of an unbalanced pivoting point which may cause extra running time and may also be highly unstable compared with Insertion sort method.

1. The programmer intends for this pseudocode to display three random numbers in the range of 1 through 7. According to the way we’ve been generating random numbers in this book, however, there appears to be an error. Can you find it?

Answers

Answer:

Display random(1, 7).

Explanation:

In the following question, some details of the question are missing that is pseudocode.

//  Program shows three random numbers

// the range of 1 to 7.

Declare the Integer count

// Shows three random numbers.

For count = 1 To 3

Display random(7, 1)

End For

In the following pseudocode, it generates three random numbers from 1 to 7 because the for loop statement is starts from 1 and end at 3 so the loop will iterate three times and every time it generates one random number from 1 to 7. So, the following are the reason that describe the answer is correct according to the scenario.

Final answer:

The issue with the pseudocode might be related to the exclusive nature of the upper boundary in many random number generator methods. The programmer may need to add 1 to the function to generate values inclusive of 7.

Explanation:

Without seeing the actual pseudocode, it's tough to give a specific correction. However, the common error in generating random numbers is not considering the exclusive nature of the upper boundary in random number methods. Most methods generate numbers from 0 (inclusive) up to the specified upper limit number (exclusive).  To generate random numbers within the range from 1 to 7 (inclusive), the code should add 1 to the random output. Therefore, a possible correction would be to modify the random number generator function to include 7 and exclude 0.

For example, in many programming languages, one could use a function similar to '1 + Math.floor(Math.random() * 7)', ensuring that we generate random numbers between 1 and 7 inclusive. Kindly refer to the specific programming language practices when implementing.

Learn more about Random Number Generation here:

https://brainly.com/question/32196150

#SPJ3

A nearest neighbor approach is best used: (a) With large-sized data sets. (b) When irrelevant attributes have been removed from the data. (c) When a generalized model of the data is desirable. (d) When an explanation of what has been found is of primary importance. Select only one choice and give additional explanations

Answers

Answer:

(b) When irrelevant attributes have been removed from the data.

Explanation:

A nearest neighbor approach -

It refers to the method of searching where the nearest point from the given set can be determined with respect to some specific point , is referred to as the nearest neighbor approach .

The method is used for the purpose of finding soe data in order to replace , edit , remove or add some data .

Hence , from the given question ,

The correct answer about nearest neighbor approach is b.

Final answer:

A Nearest Neighbor approach is best used when irrelevant attributes have been removed from the data. This algorithm works best when the dataset is clean and free of irrelevant, misleading, or noisy data. It is less effective with large data sets, and doesn't provide a generalized model or easy explanation of results.

Explanation:

A Nearest Neighbor approach in machine learning is typically best used when irrelevant attributes have been removed from the data. This type of algorithm generally works well when the dataset is clean and free of irrelevant, misleading, or noisy data that could interfere with finding the nearest neighbors. Notably, it does not work as effectively with large data sets due to computational demands. Furthermore, it does not provide a generalized model of the data or an easy explanation of the results, which eliminates options (a), (c), and (d).

To illustrate, consider a dataset used for predicting house prices. Irrelevant attributes including the house color, name of the owner, etc., have to be removed for the Nearest Neighbor algorithm to be effective as they do not have a direct impact on the house price. The algorithm then identifies the 'neighbor' house prices that are most similar to the house price we're trying to predict.

Learn more about Nearest Neighbor approach here:

https://brainly.com/question/34725560

#SPJ11

"Suppose that a program's data and executable code require 1,024 bytes of memory. A new section of code must be added; it will be used with various values 35 times during the execution of a program. When implemented as a macro, the macro code requires 61 bytes of memory. When implemented as a procedure, the procedure code requires 168 bytes (including parameter-passing, etc.), and each procedure call requires 6 bytes. How many bytes of memory will the entire program require if the new code is added as a macro

Answers

Answer:

3,159 bytes

Explanation:

When implemented as a macro, for each of the 35 executions, the program will require enough memory for the whole macro code (61 bytes). Since the program's data and executable code require 1,024 bytes, the number of bytes required by the entire program is:

[tex]M = 1,024+(35*61)\\M=3,159\ bytes[/tex]

The program requires 3,159 bytes if the new code is added as a macro.

Participate in a discussion on best practices for IT infrastructure security policies in domains other than the User Domain. Address the following topics: • IT framework selection • When to modify existing policies that belong to other organizations versus creating your own policies from scratch • Policy flexibility • Cohesiveness • Coherency • Ownership

Answers

Explanation:

Security is an essential aspect in any company and for any software organization, through a better protected area or network, the company will be able to maintain important data and operations with access for only authorized users.

Currently, there is a network of hackers and intruders of IT systems whose intention is to steal relevant data and obtain financial benefits from the invasion of company systems, so the IT infrastructure must be a planned and well implemented step in companies, to avoid intruders and failures that could harm an organization's operations.

The ideal IT structure is one developed to meet the needs of a company and its professionals, so there is a need for research, testing and for the implementation of the system to be directed at strategies and organizational objectives.

Another important factor is the development of the policy that will guide the rules and conduct for using the IT system, it is necessary that the policy has the ideal flexibility for the company, so that all its development is focused on coherence and cohesion with the company's strategy must be comprehensive to establish usage rules for users and authentication procedures for specific networks.

The company must have ownership over its system, the data contained therein, its use and privacy, so that the system is always protected, updated and compliant to assist in the improvement of organizational techniques and processes.

Write a short reflection piece (it may consist of three bulleted items, with one explanatory sentence) on three things you learned about computer architecture and/or operating systems.

Answers

Answers

OS(The Operating System) sends interrupts to the processor to stop whatever is being processing at that moment and computer architecture send data bus. This bus sends data between the processor,the memory and the input/output unit.The operating system is a low-level software that supports a computer’s basic functions, such as scheduling tasks and controlling peripherals while the computer architecture has the address bus bar. This bus carries signals related to addresses between the processor and the memory. The interface between a computer’s hardware and its software is its Architecture while An operating system (OS) is system software that manages computer hardware and software resources and provides common services for computer programs.

Explanation:

In short explanation,the Computer Architecture specifically deals with whatever that's going on in the hardware part of the computer system while the Operating System is the computer program which has been program to execute at some instances depending on the programming instructions embedded in it. An example is the MS Office.

When using an IDE, what must you do to use a class that's stored in a library? Select one: a. Nothing. Classes in libraries are automatically available. b. Code an import statement for the class. c. Add the library to your project. d. Both b and c.

Answers

Answer:

Both B and C

Explanation:

In order to use methods from another class (library) in your code, the class library will have to be added or imported into your code.

This is implemented in different ways across different programming languages, for example;

Java uses the keyword import followed by the class library name

C++ uses the key word #include

C# Uses the keyword using

Answer:

Both b and c.

Explanation:

In my opinion, I think the IDE determines how to use the class. While you import some, some have to be added to your project

4.15 LAB: Mad Lib - loops Mad Libs are activities that have a person provide various words, which are then used to complete a short story in unexpected (and hopefully funny) ways. Write a program that takes a string and integer as input, and outputs a sentence using those items as below. You may assume that the string does not contain spaces.The program repeats until the input is quit 0. Ex: If the input is: apples 5 shoes 2 quit 0 the output is: Eating 5 apples a day keeps the doctor away. Eating 2 shoes a day keeps the doctor away. Note: This is a lab from a previous chapter that now requires the use of a loop. LAB ACTIVITY 4.15.1: LAB: Mad Lib - loops 0 / 10

Answers

Final answer:

This answer provides C++ and Python code for a Mad Libs game that uses loops to generate sentences based on user inputs until 'quit 0' is entered.

Explanation:

This lab activity requires the creation of a Mad Libs game using loops in both C++ and Python programming languages. The game will prompt users to input a string and an integer, and use those inputs to construct and output a humorous sentence. The loop will terminate when the user inputs 'quit 0'. Below you'll find an example code snippets in C++ and Python that accomplish this task.

C++ Example

Write complete code in C++ to create a Mad Libs game that continues to ask for user inputs until 'quit 0' is entered:

#include
#include
using namespace std;

int main() {
   string word;
   int number;
   while (true) {
       cin >> word;
       if (word == "quit") {
           cin >> number;
           if (number == 0) {
               break;
           }
       }
       cin >> number;
       cout << "Eating " << number << " " << word << " a day keeps the doctor away." << endl;
   }
   return 0;
}

Python Example

Write complete code in Python to accomplish the same task:

while True:
   word, number = input().split()
   number = int(number)
   if word == 'quit' and number == 0:
       break
   print(f'Eating {number} {word} a day keeps the doctor away.')

Write a method swapArrayEnds() that swaps the first and last elements of its array parameter. Ex: sortArray = {10, 20, 30, 40} becomes {40, 20, 30, 10}.

Answers

Final answer:

The swapArrayEnds() method exchanges the positions of the first and last elements in an array. For an array with two or more elements, the method uses a temporary variable to hold one element during the swap. This method is a basic array manipulation technique in programming.

Explanation:

The method swapArrayEnds() swaps the first and last elements of an array. In a programming language like Java or Python, this task is typically performed by accessing the elements at their respective indices and then swapping their values. Here’s an example of how you might write this method in Java:

void swapArrayEnds(int[] array) {
   if(array != null && array.length > 1) {
       int temp = array[0];
       array[0] = array[array.length - 1];
       array[array.length - 1] = temp;
   }
}

By checking if the array is not null and has more than one element, we ensure that we do not try to swap ends on an empty or single-element array, which would be unnecessary. This is a common operation in array manipulation, and understanding how to implement it is useful in many programming and computer science applications.

Write a function maxTemp which takes a filename as string argument and returns the maximum temperature as float type for the week. Input file will contain temperature readings for each day of the week. Your function should read each line from the given filename, parse and process the data, and return the required information. Your function should return the highest temperature for the whole week. Empty lines do not count as entries, and should be ignored. If the input file cannot be opened, return -1. Remember temperature readings can be decimal and negative numbers.

Answers

Answer:

The solution is written in Python 3

def maxTemp(fileName):    try:        with open(fileName) as file:            raw_data = file.readlines()            highest = 0            for row in raw_data:                if(row == "\n"):                    continue                                data = float(row)                if(highest < data):                    highest = data            return highest    except FileNotFoundError as found_error:        return -1 higestTemp = maxTemp("text1.txt") print(higestTemp)

Explanation:

Firstly, create a function maxTemp that take one input file name (Line 1). Next create an exception handling try and except block to handle the situation when the read file is not found or cannot be open, it shall return -1 (Line 2, Line 15 -16).

Next use the readlines method to read the temperature data from the input file (Line 4). Before we traverse the read data using for loop, we create a variable highest to hold the value of max temperature (Line 5). Let's set it as zero in the first place.

Then use for loop to read the temp data line by line (Line 6) and if there is any empty line (Line 7) just ignore and proceed to the next iteration (Line 7 -8). Otherwise, the current row reading will be parsed to float type (Line 10) and the parsed data will be check with the current highest value. If current highest value is bigger than the current parsed data (), the program will set the parse data to highest variable (Line 11 -12).

After finishing the loop, return the highest as output (Line 14).  

write a function that takes a string as parameter, return true if it’s a valid variable name, false otherwise. You can use keyword module’s iskeyword() to determine if a string is keyword.

Answers

Answer:

The solution code is written in Python 3:

import keyword   def checkValidVariable(string):    if(not keyword.iskeyword(string)):        return True      else:        return False   print(checkValidVariable("ABC")) print(checkValidVariable("assert"))

Explanation:

Firstly, we need to import keyword module so that we can use its iskeyword method to check if a string is registered as Python keyword (Line 1).

Next, we create a function checkValidVariable that takes one input string (Line 3). Within the function body, we use iskeyword method to check if the input string is keyword. Please note the "not" operator is used here. So, if iskeyword return True, the True value will be turned to False by the "not" operator or vice versa (Line 4-5).

We test the function by passing two input string (Line 9-10) and we shall get the sample output as follows:

True

False

A researcher wants to do a web-based survey of college students to collect information about their sexual behavior and drug use. Direct identifiers will not be collected; however, IP addresses may be present in the data set. Risk of harm should be evaluated by:______________.

Answers

Answer:

The severity and likelihood of harm

Explanation:

So that there is no room for a data breach.

Other Questions
Which sentence uses "ingenuous" correctly? A. Val's constant, ingenuous laughter during the movie roused several people to shush her. B. Ryan, the most ingenuous person in class, always cracks jokes at the most inappropriate times. C. Richie's ingenuous mannerisms and comments make him the target of every practical joker. D. Our group was in danger of not completing the assignment until Jenna came up with an ingenuous plan. (4) A bookshelf is 42 inches long. How many books of length 1 & 1/2 inches will fiton the bookshelf? * 10) Besides the state flag issue, how else did GA say they would fight the integration of schools? Why was the Vietnam War difficult for the United States to win? Be sure to includeevidence to support your answer! Prime numbers problem Suppose that, historically, April has experienced rain and a temperature between 35 and 50 degrees on 20 days. Also, historically, the month of April has had a temperature between 35 and 50 degrees on 25 days. You have scheduled a golf tournament for April 12. If the temperature is between 35 and 50 degrees on that day, what will be the probability that the players will get wet Which system of equations could be graphed to solve the equation below? What value of x satisfies the equation x + 3 = -(x + 1)? a. x = 8 b.x = 8/3c.x=-8/3d.x=-8 Will yall help me on num 21 thank you A large block is being pushed against a smaller block such that the smaller block remains elevated while being pushed. The mass of the smaller block is m = 0.45 kg. It is found through repeated experimentation that the blocks need to have a minimum acceleration of a = 13 m / s 2 in order for the smaller block to remain elevated and not slide down. What is the coefficient of static friction between the two blocks? Solve of x:0.5(4x + 6) = 5x + 24.7 Sue bought 3.5 yards of material at $8.70 peryard and 5 yards of lace trim. She spent $32.90 intotal. Calculate the cost of 1 yard of lace trim. Which BEST describes the effect of confining the story's action to an hour's time? A) It allows the reader to understand how quickly everything can change in one's life. B) None of these choices describe the effects of confining the story's action to an hour. C) It allows the reader to understand that the characters will in fact live long, happy lives. D) It allows the reader to flashback to an earlier time to better understand the feelings of the characters. The probabilities that stock A will rise in price is 0.59 and that stock B will rise in price is 0.41. Further, if stock B rises in price, the probability that stock A will also rise in price is 0.61. a. What is the probability that at least one of the stocks will rise in price.b. Are events A and B mutually exclusive? i. Yes because P(A | B) = P(A).ii. Yes because P(A B) = 0.iii. No because P(A | B) P(A).iv. No because P(A B) 0.c. Are events A and B independent? i. Yes because P(A | B) = P(A).ii.Yes because P(A B) = 0.iii.No because P(A | B) P(A).iv.No because P(A B) 0. A 2.0 m length of wire is made by welding the end of a 120 cm long silver wire to the end of an 80 cm long copper wire. Each piece of wire is 0.60 mm in diameter. The wire is at room temperature, so the resistivities are as given in Table 27.2. A potential difference of 5.0 V is maintained between the ends of the 2.0 m composite wire.a.) What is the current in the copper section? b.) What is the current in the silver section?b.) What is the magnitude of E in the copper section?c.) What is the magnitude of E in the silver section?d.) What is the potential difference between the ends of the silver section of the wire? After using gloves to prepare raw meat, what should you do to prevent cross-contamination? A. Continue to wear the gloves if needed to prepare other types of food. B. Wash, rinse, and sanitize gloves before using again. C. Wash your hands before using the gloves again. D. Discard the gloves, wash hands, and put on new gloves. Based on sociologist Robert Merton's typology of prejudice and discrimination, __________ may have no personal prejudice but still engage in discriminatory behavior because of peer group pressure or economic, political, or social interests. If Abby rolls two number cubes a hundred times, about how many times would she expect a product greater than 10. A taxi ride costs $3 plus $2.50 per mile. Write and graph an equation in two variables that represents the total cost of a taxi ride. Let m represent number of miles and c represent the total cost (in dollars) of the taxi ride. mr alvarez tells his students that next math test has 50 questions. he also says 20% will be word problems. the students want to know how may word problems will be in the test