Describe how layers in the ISO reference model correspond tolayers in the TCP/IP reference model.

Answers

Answer 1

Answer and explanation : The TCP/IP means TRANSMISSION CONTROL PROTOCOL AND INTERNET PROTOCOL It governs all the communication which are performed over network it has a set of protocol. It defines how different types of conversation are performed without any fault through a network

THERE ARE 5 TYPES OF LAYER IN TCP/IP MODEL

APPLICATION LAYER: It is present at upper level it is used for high level products for the network communicationTRANSPORT LAYER: This layer is used for transfering the message from one end to other endNETWORK LAYER : Routers are present in network layer which are are responsible for data transmission DATALINK LAYER : it is used when there is any problem in physical layer for correcting this datalink are usedPHYSICAL LAYER: Physical; layer are responsible for codding purpose which we used in communication process


Related Questions

Something within a while loop must eventually cause the condition to become false, or a(n) __________ results.



1. null value

2. infinite loop

3. unexpected exit

4. compiler error

5. None of these

Answers

Answer: Infinite loop

Explanation:

A while loop terminates when the condition within the loop becomes false else the it will continue to loop for ever and thereby lead to memory overflow.

example : while(i<10)

                      {  print("hello");

                        }

  here if value of i <10 then it will print hello, but if there is no condition it will lead to an infinite loop. example : while();

Programming: Write a recursive function to_number that forms the integer sum of all digit characters in a string. For example, the result of to_number("3ac4") would be 7. Hint: If next is a digit character ('0' through '9'), function is_digit(next) in header will return true.

Answers

yes

Explanation:

isn't really noted but if the sequence is in the given order the ("3at4") could be expressed in a ('0' to '9' )format

You can tell that the equals() method takes a ____ argument because parentheses are used in the method call.

a.
Boolean

b.
Double

c.
String

d.
Null

Answers

Answer:

c. String

Explanation:

The equals method in java String class takes an object reference as a parameter. We can compare two Strings with the help of equals method of the String class. The equals() method of the java String class compares the given strings based on the content of the string.

Use of the String equals method:-

if (stringOne> stringTwo) it will return a positive value.

if both of the strings are equal lexicographically  means

(stringOne == stringTwo) it will return 0.

if (stringOne < stringTwo) it will return a negative value.

Two input capture events occur at counts 0x1037 and 0xFF20 of the free-running counter. How many counts, in decimal have transpired between these two events?
A. 25,891
B. 57, 421
C. 61,161
D. 64, 551

Answers

Answer:

The correct answer is C.

Explanation:

You have to do 0xFF20 - 0x1037 but first, you need to convert the counts from hexadecimal base system to decimal base system using this formula:

[tex]N = x_{1} * 16^{0} + x_{2} * 16^{1} + x_{3} * 16^{2} + x_{4} * 16^{3} + ... + x_n 16^{n-1}[/tex], where position of the x₀ is the rightmost digit of the number.

Note:

A = 10.B = 11.C = 12.D = 13.E = 14.F = 15.

0xFF20 = 15*16³+15*16²+2*16¹ = 65312

0x1037 = 1*16³+3*16¹+7*16⁰ = 4151

Result: 65312 - 4151 = 61161

Which algorithm makes the most efficient use ofmemory?

Answers

Answer:

Best-fit Algorithm

Explanation:

Best-fit: Allocating the smallest memory location that is greater than or equal to the size of process.

Example

Let these are the memory locations-210kb,310kb,260kb,610kb

                    and size of processes-160kb,450kb,250kb,300kb

For the first-fit,

We allocate 160 kb to the 210kb memory location

Then, we allocate 450 kb to the 610kb because others don't have the size.

Then,we allocate 250kb to the 310 kb.

300 kb will stop,as no memory locations can execute.

For the Best-fit,

We allocate 160 kb to the 210kb memory location

Then,we allocate 450kb to the 610kb.

Then,we allocate 250kb to the  260kb not 310kb according to best-fit.

Then we allocate 300kb to the 310kb.

For the worst fit,

We allocate 160 kb to the 610kb memory location according to the worst-fit algorithm.

Then,we can't allocate 450kb to any memory location.

Then,we allocate 250kb to the 310kb .

We can' allocate 300kb in 260kb memory location.

As we can see from this example that in First-fit algorithm 300kb process will stop as no memory location is there.

In worst-fit algorithm ,We can't allocate 450kb,300kb to any memory locations.

In Best-fit algorithm,we can allocate the process to each location,so this algorithm is using memory in a efficient way.    

A ____ report is a type of detail report in which a control break causes specific actions, such as printing subtotals for a group of records.
Answer
control break
stratified
subgroup
character

Answers

Answer: Control Break

.When one component modifies an internal data item in anothercomponent we call this:
A.content coupling B.common coupling C.controlcoupling D. all of the above

Answers

Answer:

A. content coupling

Explanation:

When one component modifies an internal data item in another component we call this content coupling.

Cash cows are always in

a. Introductory industry

b. Growing industry

c. Mature industry

d. Declining industry

Answers

Answer:

The correct answer is C. Cash cows are always in mature industry.

Explanation:

A cash cow is a company, business area or product that generates a large free cash flow over time. Cash flow depends on the profitability of the company or product, that is, revenues are greater than costs, but also because the surplus is not tied up in the business in the form of working capital.

The cash flow in a company can be used to pay off debt but also as a dividend to owners. An individual product that constitutes a cash cow can help to finance other activities in the company or group.

Write an application that can hold five integers in an array. Display the integers from first to last, and then display the integers from last to first.

Answers

Answer:

Create an integer array which holds five integers

Explanation:

I have written a simple program using c# as a programming language.

Here's  the  program:

using System;

public class Test

{

   public static void Main()

   {

       int[] numbers = new int[5];

       Console.WriteLine("enter 5 numbers");

       for (int i=0; i<=4; i++)

       {

          numbers[i]= Convert.ToInt32(Console.ReadLine());

       }

       foreach(int k in numbers)

       {

           Console.WriteLine(k+ "\n");

       }

       Console.WriteLine("----------------------------");

       Console.WriteLine("In reverse");  

       for(int j=4; j>=0; j--)

       {

           Console.WriteLine(numbers[j] + "\n");

       }

       Console.ReadLine();

   }      

}

Explanation of Program:

I have created an array named "numbers"  and assigned 5 as it's fixed size.

I prompted the user to enter numbers up to 5. I read those input numbers using Console.ReadLine() and converted to integers as return type of  Console.ReadLine() is string. I have stored all inputs from user into an array  while reading as below:

    numbers[i]= Convert.ToInt32(Console.ReadLine());

Next step is to print them. We can do it easily using foreach loop where it pulls out elements from an array until it reaches  end of an array and print them on console.

If I need to print them from first to last, the condition is,

    for (int i=0; i<=4; i++)  

as it needs to start from first element

If I need to print them from last to first, the condition is,

    or(int j=4; j>=0; j--)  

as it needs to start from last element

The application that can hold five integers in an array and display the integer from first to last and last to first is as follows;

integers = [15, 17, 8, 10, 6]

print(integers)

x = integers[::-1]

print(x)

Code explanation:

The code is written in python.

The first line of code, we declared a variable named integers. This integers variables holds the 5 integers.The second line of code, we print the the integers from first to last.The next line of code, we reversed the array from last to first and stores it in the variable x. Then, we print the x variable to get the code from last to first.

learn more on array here:https://brainly.com/question/19587167

T F In a function prototype, the names of the parameter variables may be left out.

Answers

Answer:

True.

Explanation:

In a function prototype, the names of the parameter variables may be left out.

List and explain the error in the code

public class Weekdays {

public static void main(String[] args) {

final String[] WEEKDAYS = {"Monday", "Tuesday", "Wednesday", "Thursday", "Friday", "Saturday", "Sunday"}

System.out.println("List of weekdays:");

for (int i = 1; i
System.out.println(WEEKDAYS[i]);

}

Answers

Answer:

Errors:

1. semicolon is missing in the declaration of string.

2. for loop is not complete.

3. one curly braces is missing for closing class.

Explanation:

In the programming, semicolon is used at the end of the statement as a terminator.

in the declaration of string array semicolon is missing.

for loop is incomplete.

syntax of for loop;

for(initialization;condition;increment/decrement)

{

  statement;

}

and finally curly braces in the programming braces must be enclose.

here, the braces of the class is missing.

Which of the following is NOT areserved word in Java?intpublicstaticnum

Answers

Answer:

num

Explanation:

In java reserved words are also known as keywords, keywords are reserve words for a language that can't be used as an identifier(name of a class, name of a variable, name of an array etc.) int, public static, are reserve words.

In given question num is not a reserved word.

In fiberoptic cable, the signal source is__________waves

1 Infrared

2 Light

3 Radio

4 Very LowFrequency

Answers

Answer: Option - 2) Light

In fiber optic cable, the signal source is light wave.

Explanation: In fiber optic cable the data transmission send information through electronic signal into light wave. When the input data is given in the form of electronic signal, then it gets converted into light signal with the help of light source. As fiber optic is a medium for carrying information in the form of light from one medium to another. Fiber optics are beneficial as it is used in long distance data transmission.

Which of the following statements is false? a. Racks and bins are examples of storage equipment. b. Automation refers to equipment that complements, rather than replaces, human contact. c. Forklifts can be dangerous. d. In a part-to-picker system, the pick location is brought to the picker.

Answers

Answer:

b. Automation refers to equipment that complements, rather than replaces, human contact.

In these kinds of systems, a mechanical device—typically—brings the pick location to the picker. The device's transit time is crucial in part-to-picker systems. Since the proper pick position is automatically offered, the picker's search time is greatly decreased. Thus option B is correct.

What best define about In a part-to-picker system?

Systems for picking orders from warehouses are created to improve picking operations' effectiveness, speed, and accuracy. One or more of these systems can be used by businesses to improve order fulfilment processes in their distribution centres.

In this approach, warehouses set up a space for material handling, where merchandise is frequently moved using forklifts. Additionally, the system has a picking section where order pickers acquire goods to complete customer orders.

Therefore, Automation refers to equipment that complements, rather than replaces, human contact.

Learn more about picker system here:

https://brainly.com/question/23287453

#SPJ5

Unless you explicitly initialize global variables, they are automatically initialized to

_________.

Answers

Answer:

Zero(0)

Explanation:

Global Variables

Variables which are declared outside any function. Any function can use these variables,they are automatically initialized to zero(0).They are generally declared before main() function.

Example- C program for showing global variable is 0.

  #include <stdio.h>

   int g;  // declaring g as global variable

   int main()

   {

       printf("%d",g);  //printing global variable

       return 0;

    }

Output

  0

Write an if statement that prints the message “Application accepted” if the variable workExperience is greater than or equal to 2 or the variable hasCollegeDegree is true.

Answers

if workExperience >= 2 or CollegeDegree is true:
print “Application accepted”
else:
print “Application denied”

Answer:

if workExperience>=2 or hasCollegeDegree==True:

   print("Application accepted")

Explanation:

In the first line of code, we wrote an if statement that allows us to print a message if and only if the int variable workExperience is greater than 2 or the bool variable workExperience is TrueIn the second line of code, we print the message Application accepted if the if-statement evaluated to True

Note: This code was written in python but you can extend the same concept to any programing language using if, comparison operation, boolean operators and print function.

How many characters does the "short text" have?

Answers

Answer:

Total number of characters in "short text" is 10.

Total number of distinct characters is 8.

Explanation:

List of characters in "short text":

s,h,o,r,t, ,t,e,x,t - 10

Set of distinct characters is:

s,h,o,r,t, ,e,x - 8

The length can be determined programmatically in Java using String.length() api.To determine distinct characters, individual characters can be added to a Set and then the set size can be computed.

Which of the following function headings arevalid? If they are invalid, explain why.
a. One(int a, intb) valid invalid

b. intThisOne(charx) valid invalid

c. char Another(int a,b) valid invalid

d. doubleYetAnother valid invalid

Answers

Answer:

a.invalid

b.invalid

c.invalid

d.invalid

Explanation:

For option a return type of the function is not specified and there is no space between int and b.

For option b there is no space between int and ThisOne and char and x.If there is space then this is valid.

For option c data type of variable b is not specified.

For option d if YetAnother function is without arguments then parenthesis should be there parenthesis are missing in this function heading.

what is java applets?and can we used java applets in web site??

Answers

Answer: Java applets is the program written in java language that run in web application. Yes, we can use java applets in web sites.

Explanation: Java applets are the minor java language program that runs with the help of internet for the web applications having compatibility to work with java .These programs usually run in web browser for the execution and it is the client side applet. It is used because it serve the purpose of having approachable and interactive features .It is possible to use it in web sites .

Answer: Java applets is the program written in java language that run in web application. Yes, we can use java applets in web sites.

Explanation: Java applets are the minor java language program that runs with the help of internet for the web applications having compatibility to work with java .These programs usually run in web browser for the execution and it is the client side applet. It is used because it serve the purpose of having approachable and interactive features .It is possible to use it in web sites .

Write about the future of Reliability and Security in Software Engineering.

Answers

Answer:

Future of Reliability and Security in Software Engineering:

Software reliability refers to a system which is failure-free operations and it is related to many aspects of software and testing process. It is very important as it is directly affects the system reliability. Testing is a best method to measure software reliability. Software can be accessed using reliability information.

As, software reliability, security are tightly coupled with each other and software security problem becoming more severe with the development of the internet. Many software application have security measurement against malicious attacks, so the future of security testing improves the software flaws.

The power we use at home has a frequency of 60 HZ. What is the time period of such a power?

Answers

Answer:

The period of the power for our lights at home is 0.0116 s, or 16.6 ms.

Generally, what is the term for storage locations in a processor?

Answers

Answer: Registers

Explanation:

Registers are small storage locations identified by different types of registers. The function of the register is to provide data for immediate processing to the CPU. These registers hold data temporarily and provide easy access of data to the processor.

UML uses the________________ diagram to model the flow of procedureor

activities in aclass.

a. Activity b. case

Answers

Answer:

A - Activity

Explanation:

UML contains multiple subdivisions of diagrams which allow you to visualize what the software will do, while activity diagrams demonstrate the process of what happens in the system being modeled. This is why UML uses the activity diagram to model the flow of procedure.

__________ is a growing practice in cooperative farmingassociations to pool and sell the fruit as a common commodity underthe brands of the association rather than to sell the fruit of eachgrower separately.
There
One
It, which
Why

Answers

Answer:

There

Explanation:

Great question, it is always good to ask away and get rid of any doubts that you may be having.

The Correct and only answer for the sentence given in the question is "There". From the four answers given, "There" is the only answer that makes factual and grammatical sense in the sentence displayed. Therefore it is the correct answer.

** "One" could work if you took out the "is" after it, otherwise it will just be grammatically incorrect. **

I hope this answered your question. If you have any more questions feel free to ask away at Brainly.

Write a program to define three variables to hold three test scores. The program should ask the user to enter three test scores and then assign the values entered to the variables. The program should display the average of the test scores and the letter grade that is assigned for the test score average. Use the grading scheme in the following table. 90 or greater 80-89 70-79 60-69 Below 60

Answers

Answer:  

It's always good to use if else with boolean expressions in such cases.

Explanation:

I have written a program  where I have used c# as programming language.

I used if else block with boolean expressions to enforce conditions to print the grades according to the average of test scores. I have used Logical And(&&) operator in boolean expressions so that all the conditions in if and if else  must be true

Here is the program:  

using System;

public class Test

{

   public static void Main()

   {

       int testScore1, testScore2, testScore3;

       Console.WriteLine("enter first testScore");

       testScore1 = Convert.ToInt32(Console.ReadLine());

       Console.WriteLine("enter second testScore");

       testScore2 = Convert.ToInt32(Console.ReadLine());

       Console.WriteLine("enter third testScore");

       testScore3 = Convert.ToInt32(Console.ReadLine());

       float avg = (testScore1 + testScore2 + testScore3) / 3;

       if(avg>=90)

       {

           Console.WriteLine("You got grade A");

       }

       else if(avg >=80 && avg <=89)

       {

           Console.WriteLine("You got grade B");

       }

       else if (avg >= 70 && avg <= 79)

       {

           Console.WriteLine("You got grade c");

       }

       else if (avg >= 60 && avg <= 69)

       {

           Console.WriteLine("You got grade D");

       }

       else if(avg< 60)

       {

           Console.WriteLine("You got grade E");

       }

       else

       {

           Console.WriteLine("Sorry, You failed");

       }

       Console.ReadLine();

   }    

}

Explanation of program:  

I created three variables named, testScore1, testScore2, testScore3 of datatype int. I prompted the user to enter three test score values. Each value is read using Console.ReadLine() . As the value entered is of type integer, I converted the  console read value into int using Convert method.  

In the next step, I calculated average using the formula.  

Now, Based on the average, I can calculate the grade according to the given grading scheme.

________ of Willa Catha present an unadorned picture oflife on the prairies of the Midwestern United States during the19th century.
The stories who
That the novels
The novels which
The novels

Answers

Answer:

"The novels"

Explanation:

Great question, it is always good to ask away and get rid of any doubts that you may be having.

Based on the sentence, we can see it is mentioning an object that belongs to Willa Catha. Unfortunately, all of them can be possible correct answers based on that information so we need to check which ones make the sentence factually and grammatically correct.

Therefore the only answer that makes this sentence both factually and grammatically correct is the last answer "The novels".

I hope this answered your question. If you have any more questions feel free to ask away at Brainly.

Write a C++ programme that asks the user to enter his age in days.Calculate then his age in:
Years – Months –Days

1 year = 365 days

1 year = 12 months

1 month = 30 days

Answers

C++ program that asks the user to enter his age in days

#include <iostream>

using namespace std;

void Findage() //Defining function

{

int a=0,d=0, m=0, y=0, r=0;

cout<<"Enter Age in Days= "; //Taking input

cin>>a;

   if(a>365) //If age is greater than 365

{

y=(a)/365;

r=a%365;

if(r>30)

{

m=r/30;

d=r%30;

}

else

{

d=r%30;

}

}

else //if the age is less than 365

{

if(a>30)

{

m=(a)/30;

d=a%30;

}

else

{

d=a;

}

}if(a==365) //Printing output

{ cout<<"Your Age in Calender"<<endl;

 cout<<"Year = 1"<<endl;

}

else

{

cout<<"Your Age in Calender"<<endl;

cout<<"Years= "<<y<<" Month="<<m<<" Days= "<<d<<endl;

}

}

int main()

{

Findage(); //Calling function

return 0;

}

Output

Enter Age in Days= 3697

Your Age in Calender

Years= 10 Month=1 Days= 17

A C++ program can be written to calculate a user's age in years, months, and days by dividing the total number of days provided by the user by 365 to find years and then dividing the remainder by 30 to calculate months, with the final remainder indicating the days.

A C++ program that calculates a user's age in years, months, and days from the age in days can be composed using simple arithmetic operations. Given that 1 year is 365 days, 1 year is 12 months, and 1 month is 30 days, the following process can be followed:

Ask the user for their age in days.

Use the remainder of the previous division to calculate the number of months by dividing by 30.

The remainder of the last division will give the number of days.

The resulting calculations will give the user's age in years, months, and days.

ARP only permits address resolution to occur on a single network.could ARP send a request to a remote server in an IP datagram?why or why not?

Answers

Answer:

The answer to this question is Yes it is possible

Explanation:

It can be done In the case where a special server is required in each network that would forward the request to the  remote ARP(Address Resolution Protocol) server and will receive the response from the server and send it to the requesting host.So we conclude that we can do that hence the answer is Yes.

program for bit stuffing...?

Answers

Answer: Program for bit stuffing in C

#include<stdio.h>

      int main()

    {    

          int i=0,count=0;

          char data[50];

          printf("Enter the Bits: ");

          scanf("%s",data);            //entering the bits ie. 0,1  

          printf("Data Bits Before Bit Stuffing:%s",databits);

          printf("\nData Bits After Bit stuffing :");

          for(i=0; i<strlen(data); i++)

              {

              if(data[i]=='1')

                     count++;

              else

                     count=0;

                printf("%c",data[i]);

             if(count==4)

                {

                          printf("0");

                          count=0;

                 }

             }

    return 0;

 }

Explanation:

bit stuffing is the insertion of non-information bits during transmission of frames between sender and receiver. In the above program we are stuffing 0 bit after 4 consecutive 1's. So to count the number of 1's we have used a count variable. We have used a char array to store the data bits . We use a for loop to iterate through the data bits to stuff a 0 after 4 consecutive 1's.

What are the two categories of problems that we can simply convert
to parallel code?

Answers

percentage and decimals
Other Questions
Jill invests $1,000.00 to buy ten shares of Good Corporation. The corporation goes bankrupt having no assets and $1 million in liabilities. The most Jill can lose is the $1,000.00 she invested. This is an example of the corporate characteristic of: A. Limited liability. B. Free transferability of shares. C. Perpetual existence. D. Centralized management. A photo studio that takes school pictures offers several different packages. Let w equal the cost of a wallet-sized portrait, and letI equal the cost of an 8 x 10 portraitBasic Package: 30 wallet sized photos, 1 8" x 10" portrait $17.65Deluxe Package: 20 wallets-sized photos. 3 8" x 10" portraits $25.65 An express subway train passes through an underground station. It enters at t = 0 with an initial velocity of 23.0 m/s and decelerates at a rate of 0.150 m/s^2 as it goes through. The station in 205 m long (a) How long is the nose of the train in the station? (b) How fast is it going when the nose leaves the station? (c) If the train is 130 m long, at what time t does the end of the train leave the station? (d) What is the velocity of the end of the train as it leaves? how many base pairs would a DNA segment of length 1.36mm have? PMN is congruent to which angle?OZCBAZABCZACB is mercury a solution During the Revolutionary War, what was the definition of a Patriot?A. A person who wanted the colonies to remain part of the BritishEmpireB. A person who wanted to free the American colonies from BritishruleC. A person who did not take sides and just wanted the war to endD. A person who moved away from the colonies until the war wasover Scott Incorporated has been in business for several months. Because of increased competition in the region for part adapters, the managers at Scott Incorporated is considering cutting sales price from $ 27 per adapter to $ 24 per adapter. New sales price per poster $ 24 Variable price per adapter $ 17 New contribution margin per adapter $ 7 If the variable expenses remain at $ 17 per adapter and the fixed expenses remain at $ 6,000, how many adapters will the managers need to sell to break even? Compute the breakeven sales in units. Dylan borrowed $2100 from the bank for 15 months. The bank discounted the loan at 2.6%. How much was the interest? $ State your result to the nearest penny. How much did Dylan receive from the bank? $ State your result to the nearest penny. What was the actual rate of interest? % State your result to the nearest hundredth of a percent. A tank contains 60 kg of salt and 1000 L of water. Pure water enters a tank at the rate 6 L/min. The solution is mixed and drains from the tank at the rate 7 L/min. Let y o u be the number of kg of salt in the tank after t minutes. The differential equation for this situation would be: What is the role of local self-sufficiency in building sustainable societies? View Available Hint(s) What is the role of local self-sufficiency in building sustainable societies? a.It can be overlooked in the short term because there is nothing to be gained from consuming locally produced goods. b.It is not a critical factor. c.It can be valuable because people are tied more closely to the area where they live. d.It is often opposed by individuals but favored by governments and multinational organizations like the World Trade Organization. What properties does a square have in common with a quadrilateral?Check all that are true.Both shapes always have opposite sides that are parallel.Both shapes are closed plane figures.Both figures always have four sides.Both figures always have right angles.All sides are the same length in both figures. This question is a Fractions as divisions and it's kinda bit harder to figure it out. Need help!! Write a loop that reads positive integers from standard input and that terminates when it reads an integer that is not positive. After the loop terminates, it prints out, on a line by itself and separated by spaces, the sum of all the even integers read, the sum of all the odd integers read, a count of the number of even integers read, and a count of the number of odd integers read, all separated by at least one space. Declare any variables that are needed. Please help me! I think the answer to this is C because gas produced from liquid has the greatest release in entropy, right? And C is the only option producing gas. Please help me out! Is C the right answer or which one is?The systems that shows the greatest increase in entropy is -a.2H2 + O22H2Ob.NaCl Na+1 + Cl-1c.2H2O 2H2 + O2d.AgCl3Ag+3 + 3Cl-1 which of these practices does the most to decrease the amount of water needed to farm?A-drip irrigationB-crop rotationC-cash cropsD-no-trill farming? There are 5 students in a small class. To make a team, the names of 2 of them will be drawn from a hat. How many different teams of 2 students are possible? suppose you want to know how harmful pesticides maybe to pets. which one of the following articles would be least helpful If you are performing the weightlifting exercise known as the strict curl, the tension in your biceps tendon is __________. what is 12/6 multiple 2/3