Which of the following are true statements about collisions in hashing? Linear probing can cause secondary collisions. Higher space utilization tends to cause more collisions.

Answers

Answer 1

Answer:

hello the options to your question is incomplete below are the options

A.   Linear probing causes secondary collisions.

B.   Higher space utilization tends to cause more collisions.

C.    Chained entries will be ordered by key.

D.   (a) and (b).

E.    All of the above.

answer : (a) and (b) --- D

Explanation:

The true statements about collisions in hashing are ;Linear probing causes secondary collisions and Higher space utilization tends to cause more collisions.

collisions in hashing is when two data sets whom are distinctively different have the same hash value or checksum. the collision in hashing can be resolved by checking  the hash table for an open slot to keep the data set that caused the collision.


Related Questions

Write Album's PrintSongsShorterThan() to print all the songs from the album shorter than the value of the parameter songDuration. Use Song's PrintSong() to print the songs.
#include
#include
#include
using namespace std;
class Song {
public:
void SetNameAndDuration(string songName, int songDuration) {
name = songName;
duration = songDuration;
}
void PrintSong() const {
cout << name << " - " << duration << endl;
}
string GetName() const { return name; }
int GetDuration() const { return duration; }
private:
string name;
int duration;
};

Answers

Answer:

Here is the function PrintSongsShorterThan() which prints all the songs from the album shorter than the value of the parameter songDuration.  

void Album::PrintSongsShorterThan(int songDuration) const {  //function that takes the songDuration as parameter  

unsigned int i;  

Song currSong;  

cout << "Songs shorter than " << songDuration << " seconds:" << endl;  

for(int i=0; i<albumSongs.size(); i++){    

currSong = albumSongs.at(i);    

if(currSong.GetDuration()<songDuration){    //checks if the song duration of the song from album is less than the value of songDuration  

currSong.PrintSong();     } } } //calls PrintSong method to print all the songs with less than the songDuration  

Explanation:

Lets say the songDuration is 210

I will explain the working of the for loop in the above function.

The loop has a variable i that is initialized to 0. The loop continues to execute until the value of i exceeds the albumSongs vector size. The albumSongs is a Song type vector and vector works just like a dynamic array to store sequences.  

At each iteration the for loop checks if the value of i is less than the size of albumSongs. If it is true then the statement inside the loop body execute. The at() is a vector function that is used to return a reference to the element at i-th position in the albumSongs.  

So the album song at the i-th index of albumSongs is assigned to the currSong. This currSong works as an instance. Next the if condition checks if that album song's duration is less than the specified value of songDuration. Here the method GetDuration() is used to return the value of duration of the song. If this condition evaluates to true then the printSong method is called using currSong object. The printSong() method has a statement cout << name << " - " << duration << endl; which prints/displays the name of the song with its duration.

The musicAlbum is the Album object to access the PrintSongsShorterThan(210) The value passed to this method is 210 which means this is the value of the songDuration.  

As we know that the parameter of PrintSongsShorterThan method is songDuration. So the duration of each song in albumSongs vector is checked by this function and if the song duration is less than 210 then the name of the song along with its duration is displayed on the output screen.  

For example if the album name is Anonymous and the songs name along with their duration are:  

ABC 400  

XYZ 123  

CDE 300    

GHI 200

KLM 100  

Then the above program displays the following output when the user types "quit" after entering the above information.  

Anonymous                                                  

Songs shorter than 210 seconds:                                                                         XYZ - 123                                                                                                              

GHI - 200                                                                                                              

KLM - 100  

Notice that the song name ABC and CDE are not displayed because they exceed the songDuration i.e. 210.

An attack in which the attacker attempts to impersonate the user by using his or her session token is known as:

Answers

Answer:

Session hijacking

Explanation:

Session hijacking : Session hijacking is an attack where a user session is taken over by an attacker. A session starts when you log into a service, for example your banking application, and ends when you log out.

You are given an array of integers a. A new array b is generated by rearranging the elements of a in the following way:
b[0] is equal to a[0];
b[1] is equal to the last element of a;
b[2] is equal to a[1];
b[3] is equal to the second-last element of a;
and so on.
Your task is to determine whether the new array b is sorted in strictly ascending order or not.
Example
For a = [1, 3, 5, 6, 4, 2], the output should be alternatingSort(a) = true.
The new array b will look like [1, 2, 3, 4, 5, 6], which is in strictly ascending order, so the answer is true.
For a = [1, 4, 5, 6, 3], the output should be alternatingSort(a) = false.
The new array b will look like [1, 3, 4, 6, 5], which is not in strictly ascending order, so the answer is false.
Input/Output
[execution time limit] 3 seconds (java)
[input] array.integer a
The given array of integers.
Guaranteed constraints:
1 ≤ a.length ≤ 105,
-109 ≤ a[i] ≤ 109.
[output] boolean
A boolean representing whether the new array bwill be sorted in strictly ascending order or not.

Answers

Answer:

Explanation:

Take note to avoid Indentation mistake which would lead to error message.

So let us begin by;

import java.util.*; ------ using Java as our programming language

class Mutation {

public static boolean alternatingSort(int n , int[] a)

{

int []b = new int[n];

b[0]=a[0];

int j=1,k=0;

for(int i=1;i<n;i++)

{

if(i%2==1)

{

b[i]=a[n-j];

j++;

}

else

b[i]=a[++k];

}

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

      {

      System.out.print(b[i]+" ");

      }

      System.out.print("\n");

for(int i=1;i<n;i++)

      {

      if(b[i]<=b[i-1])

      return false ;

      }

     

return true;

}

  public static void main (String[] args) {

      Scanner sc = new Scanner(System.in);

      int n= sc.nextInt();

      int []a = new int [n];

     

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

      a[i]=sc.nextInt();

      System.out.println(alternatingSort(n,a));

  }

}

This code should give you the desired result (output).

The program is an illustration of Arrays.

Arrays are variables that are used to hold multiple values using one variable name

The program in Java, where comments are used to explain each line is as follows:

import java.util.Scanner;

public class Main {

//This defines the alternatingSort function

public static boolean alternatingSort(int n , int[] a){

   //This creates an array b

   int b[] = new int[a.length];

   //This populates the first element of array b

   b[0]=a[0];

   //This initializes two counter variables

   int count1 =1,count2 = 0;

   //This iterates from 1 to n - 1

   for(int i=1;i<a.length;i++){

       //This populates array b for odd indices

       if(i%2==1){

           b[i]=a[n-count1];

           count1++;

       }

       //This populates array b for even indices

       else{

           b[i]=a[++count2];

       }

   }

   //This iterates from 0 to n - 1

   for(int i=0;i<a.length;i++){

       //This prints the elements of array b

       System.out.print(b[i]+" ");

   }

   //This prints a new line

   System.out.println();

   //This iterates from 1 to n - 1

   for(int i=1;i<a.length;i++){

       //This checks if the elements of array b are strictly in ascending order

       if(b[i]<=b[i-1]){

           return false ;

       }

     }

     return true;

}

//The main function begins hers

 public static void main (String[] args) {

     //This creates a Scanner object

     Scanner input = new Scanner(System.in);

     //This gets input for the length of the array

     int n= input.nextInt();

     //This creates the array a

     int a[] = new int [n];

     //The following iteration populates array a

     for(int i=0;i<n;i++){

         a[i]=input.nextInt();

     }

     //This calls the alternatingSort function

     System.out.println(alternatingSort(n,a));

 }

}

Read more about arrays at:

https://brainly.com/question/15683939

Mia is disappointed with how her latest video games are playing on her computer; the images are slow
and grainy, and what she sees onscreen seems to lag behind what she is inputting through her
controls. Which of these components does Mia most likely need to upgrade?
O USB
O GPU
ONIC
O loT

Answers

Answer:

she is complaining about her images being slow and lagging she should get a new gpu because, well it should be pretty self explnitory gpu stands for graphics processing unit, so putting 2 and 2 together...

Answer:

B. GPU

The Graphics proccessing unit or GPU is what decides how good or bad your graphics are. If you are having problems with the speed or look of your graphics, then it would be a good idea to upgrade the GPU.

I hope this helps. Cheers! ^^

How to help it automation with python professional certificate?

Answers

Answer:

Following are the answer to this question:

Explanation:

As we know, that Python is based on Oop's language, it allows programmers to decide, whether method or classes satisfy the requirements.  

It's an obvious benefit, in which the system tests the functions, and prevent adverse effects, and clear the syntaxes, which makes them readable for such methods.All the framework uses the python language, that will be used to overcome most every coding task like Mobile apps, desktop apps, data analyses, scripting, automation of tasks, etc.

Someone receives and email that appears to be from their bank requesting them to verify account information, this type of attack is:

Answers

Answer:

This is Phishing attack

Explanation:

What is Phishing attack?

Phishing attack involves sending of sending of unwanted spam mails, well disguised mails to potential victims, it was designed to steal the potential victim's information such as passwords and mails to his/her banking platform.

     

      The goal is  to deceive victims into clicking on a link and taking them to a  website that asks for their login and password, or  perhaps their credit card or ATM number.

People who attack using phishing are called cyber attackers

A ________ uses the Internet communications infrastructure to build a secure and private network. HAN PAN VPN WAN

Answers

Answer:

VPN is a correct answer

Answer:

VPN

Explanation:

A technician mistakenly uninstalled an application that is crucial for the productivity of the user.
Which of the following utilities will allow the technician to correct this issue?
A. System Restore
B. System Configuration
C. Component Services
D. Computer Management

Answers

i think the answer is a

The utility that allows the technician to correct this issue is system restoration. The correct option is A.

What does a system restore?

System Restore is a tool for safeguarding and repairing computer software. System Restore creates Restore Points by taking a “snapshot” of some system files and the Windows registry.

Type recovery into the Control Panel search box. Choose Recovery > System Restore. Select Next in the Restore system files and settings window. Select the desired restore point from the list of results, and then click Scan for affected programs.

The Restore Process copies data from a source (one or more Archive files) to a destination (one or more tables in a database). A Restore Process consists of two phases. First, identify one or more Archive Files containing the data to be recovered and choose the desired data.

Therefore, the correct option is A. System Restore.

To learn more about system restoration, refer to the link:

https://brainly.com/question/27960518

#SPJ5

Which type of cluster does NOT belong? a. Density-based b. Shared-Property c. Prototype-based d. Hierarchical-based

Answers

Answer:

b. Prototype-based

Explanation:

In clustering, certain methods are used to identify groups. This identifies groups of similar objects in a multivariate sets of data which is collected from different fields.

Shared-property clusters shares some property.

Hierarchical cluster builds a hierarchy.

Density-based identifies clusters in a data. While the prototype based sents observation to nearest prototype.

1.15) Many computers use one byte (8 bits) of data for each letter of the alphabet. There are 44 million words in the Encyclopedia Britannica. (a) What is the bit density (bits/in2) of the head of a pin if the entire Encyclopedia is printed on it

Answers

Answer: provided in the explanation section

Explanation:

the complete questions is given thus:

Many computers use one byte (8 bits) of data for each letter of the alphabet. There are 44 million words in the Encyclopedia Britannica.

(A). (What is the bit density (bits/in2) of the head of a pin if the entire encyclopedia is printed on it? Assume the average word is five letters long. (B). What is the byte density?

(C). What is the area of a single bit in nm2?

(D). A CD-ROM has a storage density of 46 megabytes/in2 and a DVD has a storage density of 329 megabytes/in2. Is the pinhead better or worse than these two storage media? How much better or worse?

ANSWER PROVIDED:

So both quest. a and b will be solved using the same principle.

Let us say we have the Head of the pin as (1/16)th of an inch in diameter.

Then the area is = pi*(1/(2*16))2 = pi*(1/32)2

Where each word is on an average 5 letters long, and there are 44 million words.

we have a total of  220000000 bytes.

220000000 bytes = 1.76 billion bits ( Since,1 Bytes=8 bits)

hence there are  1.76 billion bits total over the head of the pin.

Note that the bit density is bits per unit area;

since we know that now, let us proceed

Bit density = 1.76billion bits/(pi*(1/32)2 bits(inch)-2

approx 574 trillion bits per (inch)2

(b). Byte density tells us the measure of the quantity of information bytes that can be stored on a given length of track, area of surface, or even in a given volume of a computer storage medium.

⇒ Byte density is bit density divided by 8

(c). asked to find the area;

given that  the inch2 = (2.54cm2) = (25.4e-6nm)2.

So to get the area,we will simply divide 574billion by (25.4e-6nm)2

(d). The pin head is WAY better.

what we mean is;

574 trillion bits per inch2 = around 75 trillion bytes per inch2

= 75 terabytes per inch2

cheers i hope this helped !!!

How do diverse regulatory practices impede the integration process in a global information system (GIS)

Answers

Answer:

Following are the explanation to this question:

Explanation:

In the various regulatory procedures were also simply corporate initiatives, as well as their analytical application by using the open standards users could even solve its problematic situation. It may not work forever, and it is some type of temporary fix.  

All such activities include the state or country-related problems only with the Global Information System results. Or in various countries police forces are different. All these price differences thus help the development of incorporation into one of GIS.

write a function solution that given an integer n returns a string consisting of n lowercase lettersn

Answers

Answer:

Following are the method to this question:

def solution(s):#defining a method solution

   x=0#defining variable x that assign value 0

   for i in s:#defining for loop to count string value in number

       if(i.islower()):#defining if block that check input character is in lowercase

           x=x+1#increment the value of x by 1

   return x#return x

s=input("Enter string:")#defining s variable that input string value

print(solution(s))#defining print method to solution method                    

Output:

Enter string:Database is the colloection

22

Explanation:

In the given question some data is missing, that's why we define the answer as follows:

In the above code, a solution method is defined, which takes "s" variable as the parameter, and inside the method, an integer variable "x" is defined, that holds a value that is "0". In the next line, for loop is declared, that counts string value without space and inside the loop, if block is defined, that checks only the lowercase character and adds the value in x variable, and returns its value. Outside the method s variable is defined, that inputs the string value from the user end, and use the print method to call it and print its calculated value.

The function returns a string of lowercase alphabets of length n, which is prescribed in the function. The function written in python 3 goes thus ;

import string, random

#import the string and random modules

l_case = [x for x in string.ascii_letters if x.islower()]

#use list comprehension to take a list of lower case alphabets

def n_letters(n):

#initialize a function which takes a single parameter, number of letters

lett = random.sample(l_case, n)

#take a random sample of n letters

return "".join(lett)

#use the join function to concatenate the string

print(n_letters(6))

# A sample run of the program is attached.

Learn more :https://brainly.com/question/15086326

A ________ topology uses more than one type of topology when building a network. crossover multiple-use fusion hybrid

Answers

Answer:

hybrid topology

Explanation:

The type of topology that is being described is known as a hybrid topology. Like mentioned in the question this is an integration of two or more different topologies to form a resultant topology which would share the many advantages and disadvantages of all the underlying basic topologies that it is made up of. This can be seen illustrated by the picture attached below.


Explain Basies Uses of spreadsheet ,​

Answers

Answer:

The three most common general uses for spreadsheet software are to create budgets, produce graphs and charts, and for storing and sorting data. Within business spreadsheet software is used to forecast future performance, calculate tax, completing basic payroll, producing charts and calculating revenues.

Explanation:hope this helped hun

The description of a barcode mainly serves to:________.
A. trivialize the complexity of a particular research practice.
B. use a familiar concept to communicate an idea.
C. question the novelty of a scientific phenomenon.
D. inject a note of levity into an otherwise serious argument.

Answers

Answer:

B. use a familiar concept to communicate an idea.

Explanation:

From the article written by Tim Heupink, et al, and titled "Dodos and Spotted Green Pigeons are Descendants of an Island Hopping Bird"

Following the scientist's analysis on DNA from two feathers of green pigeon which were seen they examined the minor area of DNA that are distinct for most bird species. This minor area comprises three DNA “mini barcodes." It was concluded from the analysis of mini Barcodes that the green pigeon that were discovered is certainly a different species, indicating a distinct DNA barcode compared

Hence, it can be concluded that the description of a barcode mainly serves to use a familiar concept to communicate an idea.

A DATABASE IS A COLLECTION OF _____ DATA

Answers

Answer:

related

Explanation:

Database is an integrated collection of logically related records or files. A database consolidates records previously stored in separate files into a common pool of data records that provides data for many applications. The data is managed by systems software called database management systems

Out of the choices provided above, it can be concluded to state that A database is a collection of related data. Therefore, the option A holds true.

What is the significance of a database?

A database can be referred to or considered as a data that contains a collection or compilation of different sets of data observations. These observations are having a common characteristic, which is always predefined for easy access of the user of the data.

A database set can never have data about two or more things, which are completely unrelated to each other, simply because it does not make any sense or utility to use such database as one whole set of observation. The data must be related in some way or the other.

Therefore, the option A holds true and states regarding the significance of database.

Learn more about database here:

https://brainly.com/question/6447559

#SPJ6

The missing choices are added below for better reference.

A. Related

B. Unrelated

C. Scattered

Can the teacher provide your feedback through Google Classroom?

Answers

Answer:

Yes

Explanation:

The teacher always answers all queries if she/he is online and the question u ask is understandable

Answer:

Yes

Explanation: A teacher can give the feedback individual/privately or publicity

Processors for most mobile devices run at a slower speed than a processor in a desktop PC.
A. True
B. False

Answers

Hope this helps you! :)

The ans is A which is TRUE

(Was a tricky ques for some but... u gotta learn it!)

PLS MARK AS BRAINLIEST!

Processors for most mobile devices run at a slower speed than a processor in a desktop PC, therefore, the statement is true.

The Processor is simply known as the heart of the computer. It enables the computer to be able to execute its command.

It should be noted that the processors for most mobile devices run at a slower speed than a processor in a desktop PC.

It should be noted that mobile devices are smaller than computers. There is a lot of heat that is generated by the running mobile processor in mobile phones and this limits the speed of the mobile phones.

In conclusion, once there's a limitation of the speed, there's a slower performance of the mobile phone.

Read related link on:

https://brainly.com/question/614196

Let S be an NP-complete problem and Q and R be two other problems not known to be in NP. Q is polynomial time reducible to S and S is polynomial time reducible to R. Which of the following statements are true?
A. R is NP complete
B. R is NP Hard
C. Q is NP complete
D. Q is NP hard

Answers

Answer:

B. R is NP Hard

Explanation:

Given:

S is an NP complete problem

Q is not known to be in NP

R is not known to be in NP

Q is polynomial times reducible to S

S is polynomial times reducible to R  

Solution:

NP complete problem has to be in both NP and NP-hard. A problem is NP hard if all problems in NP are polynomial time reducible to it.

Option B is correct because as given in the question S is an NP complete problem and S is polynomial times reducible to R.

Option A is not correct because R is not known to be in NP

Option C is not correct because Q is also not known to be in NP

Option D is not correct because Q because no NP-complete problem is polynomial time reducible to Q.

RAID level ________ refers to disk arrays with striping at the level of blocks, but without any redundancy. A. 0 B. 1 C. 2 D. 3

Answers

Answer:

A. 0

Explanation:

RAID level zero refers to disk arrays with striping at the level of blocks, but without any redundancy.

RAID ZERO (disk striping) : This is the process of dividing a body of data into blocks and also spreading the data blocks across multiple storage devices, such as hard disks or solid-state drives (SSDs), in a redundant array of independent disks (RAID) group.

1.16 LAB: Input: Welcome message Write a program that takes a first name as the input, and outputs a welcome message to that name. Ex: If the input is Pat, the output is:

Answers

Answer:

Following are the program to this question:

val=input("")#defining val variable that inputs value

print('Hello',val,', we welcome you...')#defining print method, that print input value with the message

Output:

Pat

Hello Pat , we welcome you...

Explanation:

In the above given, python code a "val" variable, and the print that is inbuilt method is declared, inside the "val" variable the input method is used, which is used to input the value from the user side.

In the next line, the print method has declared, which is used to print the value with the message.

-How long does a copyright last?

Answers

Answer:

95 years

Explanation:

the dura- tion of copyright is 95 years from first publication or 120 years from creation, whichever is shorter (unless the author's identity is later revealed in Copyright Office records, in which case the term becomes the author's life plus 70 years).

You are hired to create a simple Dictionary application. Your dictionary can take a search key from users then returns value(s) associated with the key. - Please explain how you would implement your dictionary. - Please state clearly which data structure(s) you will use and explain your decision. - Please explain how you communicate between the data structures and between a data structure and an interface.

Answers

Answer:

The application should have a form user interface to submit input, the input is used to query a database, if the input matches a row in the database, the value is displayed in the application.

Explanation:

The data structure in the database for the dictionary application should be a dictionary, with the input from the user as the key and the returned data as the value of the dictionary.

The dictionary application should have a user interface form that submits a query to the database and dictionary data structure returns its value to the application to the user screen.

To print a budget:________.

1. From the Company Center, select Company & Financials > Budgets

2. From the Reports Center, select Budgets & Forecasts > Budget Overview

3. From the Reports Center, select Company & Financials > Budgets

4. From the Reports Center, select Accountant & Taxes > Budgets

Answers

Answer:

2. From the Reports Center, select Budgets & Forecasts > Budget Overview

Explanation:

In order to print a budget, the step is: From the Reports Center, select Budgets & Forecasts > Budget Overview

The SQL WHERE clause: Limits the row data that are returned. Limits the column data that are returned. ALL Limits the column and row data that are returned.f the options

Answers

Answer: Limits the row data that are returned.

Explanation: In structured query language (SQL), The where clause is used as a filter. The filter is applied to a column and as such the filter value or criteria determines the values that are spared in the column on which the WHERE clause is applied. All rows in which the column value does not meet the WHERE clause criteria are exempted from the output. This will hence limit the number of rows which our command displays.

For instance,

FROM * SELECT table_name WHERE username = 'fichoh' ;

The command above filters the username column for username with fichoh, then displays only rows of Data with fichoh as the username. All data columns are displayed but rows of data which do not match fichoh are exempted.

Which type of firewall is ideal for many small office/home office (SOHO) environments?

Answers

Answer:

Native OS firewall

Explanation:

Native OS firewall is a computer engineering term that is used in describing a form of the operating system that is in-built or comes from manufacturers of a given device.

Therefore, given that it supports basic functionality, and many, if not all small office/home office (SOHO) environment works with small or little traffic. Hence, for easy navigation and work-around, it is most ideal to use Native OS firewall

Define algorithm
Write a small algorithm

Answers

Answer:

an algorithm (pronounced AL-go-rith-um) is a procedure or formula for solving a problem, based on conducting a sequence of specified actions. A computer program can be viewed as an elaborate algorithm. In mathematics and computer science, an algorithm usually means a small procedure that solves a recurrent problem.

Answer:

a process or set of rules to be followed in calculations or other problem-solving operations, especially by a computer.

Explanation:

The parent_directory function returns the name of the directory that's located just above the current working directory. Remember that '..' is a relative path alias that means "go up to the parent directory". Fill in the gaps to complete this function.
import os
def parent_directory():
# Create a relative path to the parent
# of the current working directory
dir = os.getcwd()
relative_parent = os.path.join(dir, ___)
# Return the absolute path of the parent directory
return os.path.dirname(relative_parent)
print(parent_directory())

Answers

Answer:

Following are the complete code to this question:

import os #import package  

def parent_directory():#defining a method parent_directory

   dir = os.getcwd()#defining dir that stores the getcwd method value  

   relative_parent = os.path.join(dir) #defining relative_parent variable that uses join method to adds directory

   return os.path.dirname(relative_parent)#use return keyword to return directory name

print(parent_directory())#use print method to call parent_directory method

Output:

/

Note:

This program is run the online compiler that's why it will return "/"

Explanation:

In the given Python code, we import the "os" package, after that a method "parent_directory" is defined, which uses the dir with the "getcwd" method that stores the current working directory.  

After that "relative_parent" variable is declared, which uses the join method to store the directory value and use the return keyword to returns its value.   In the next step, the print method is used, which calls the method.

Functions are collection of code segments that are executed when called or evoked.

The complete function in Python, where comments are used to explain each line is as follows:

#This imports the os module

import os

#This defines the parent_directory function

def parent_directory():

   #This gets file directory

   dir = os.getcwd()

   #This gets the complete directory

   relative_parent = os.path.join(dir)

   #This returns the directory name

   return os.path.dirname(relative_parent)

print(parent_directory())

Read more about python functions at:

https://brainly.in/question/10211834

The so-called WAP gap involves the __________ of information where the two different networks meet, the WAP gateways.

Answers

Complete Question:

The so-called WAP gap involves the ______ of information where the two different networks meet, the WAP gateways.

Group of answer choices

A. integrity.

B. confidentiality.

C. authentication.

D. WTLS.  

Answer:

B. confidentiality.

Explanation:

WAP is an acronym for wireless application protocol and it is a standard communications protocol used for accessing, formatting and filtering of data (informations) on wireless devices such as mobile phones over the internet or mobile wireless network.

Simply stated, a wireless application protocol (WAP) is a lightweight and easy to use protocol designed and developed for devices with low computing power e.g mobile devices.

There are two (2) main standard protocols that are being used for the wireless application protocol (WAP), these are;

1. Transport Layer Security (TLS).

2. Wireless Transport Layer Security (WTLS).

The so-called WAP gap involves the confidentiality of information where the two different networks (WTLS and TLS) meet, the WAP gateways.

In wireless communications, the wireless transport layer security was an improvement on the transport layer security. However, it created a major problem of confidentiality in the translation of the two protocols in a WAP architecture.

First, the user data is encrypted with a public key of an application server and then encrypted again from the client mobile device to the WAP gateway using the wireless transport layer security (WTLS) and lastly, the transport layer security (TLS) is used from the WAP gateway to the enterprise server. The TLS translates the WTLS data by decrypting it first and then encrypting it again.

The security concerns or confidentiality issues associated with using WAP is that, all messages are seen in plain text by the WAP gateways in the translation at the TLS point, thus causing the so called WAP gap.

Answer:

FROM THE TOP MAKE IT DROP THATS SOME WAP WAP WAP WAP

Explanation:

Complete the sentence about a presentation delivery method.

A(n) ____ allows you to transmit your presentations over the Internet using ____.

1: A. Presentation software
B. webcast
C. external monitor

2: A. Projectors
B. CDs
C. Streaming technology

Answers

A Presentation software allows you to transmit your presentation over the internet using CDs

Answer:

A Presentation software allows you to transmit your presentation over the internet using CDs??????????????????C

Other Questions
Two lasers are shining on a double slit, with slit separation d. Laser 1 has a wavelength of d/20, whereas laser 2 has a wavelength of d/15. The lasers produce separate interference patterns on a screen a distance 6.00 m away from the slits.Which laser has its first maximum closer to the central maximum?What is the distance Image for Two lasers are shining on a double slit, with slit separation d. Laser 1 has a wavelength of d/20, whereas las between the first maxima (on the same side of the central maximum) of the two patterns?Two lasers are shining on a double slit, with slit separation d. Laser 1 has a wavelength of d/20, whereas las= ______ mWhat is the distance Deltay_max-min between the second maximum of laser 1 and the third minimum of laser 2, on the same side of the central maximum?Deltay_max-min = ______ m A manufacturing company that has only one product has established the following standards for its variable manufacturing overhead. The company bases its variable manufacturing overhead standards on direct labor-hours.Standard hours per unit of output 5.30 DLHsStandard variable overhead rate $ 11.66 per DLHThe following data pertain to operations for the last month:Actual direct labor-hours 8,800 DLHsActual total variable manufacturing overhead cost $ 96,000 Actual output 1,500 unitsWhat is the variable overhead efficiency variance for the month?a. $6,883 Ub. $6,883 Fc. $9,911 Ud. $3,252 U what is the image of point (4, -2) after a dilation of 3? if the lengths of pw and pq are given, can the length of QW be determined? justify your answer. The condensed income statement for a business for the past year is as follows: Product T U Sales $660,000 $320,000 Less variable costs 540,000 220,000 Contribution margin $ 120,000 $100,000 Less fixed costs 145,000 40,000 Income (loss) from operations $ (25,000) $ 60,000 Management is considering the discontinuance of the manufacture and sale of Product T at the beginning of the current year. The discontinuance would have no effect on the total fixed costs and expenses or on the sales of Product U. What is the amount of chang state two things you notice about a metal when being touched In about 150 words, describe the uri ceremony and explain why this ritual was necessary to ensure continuity among members of the clan. Provide details from the story to support your response. No idea on what to do. Which of the following is an equation of the line that passes through the point (2, 3) and is perpendicular to the graph of the equation y = 3x 2? A. y = 13x + 73 B. y = 13x + 113 C. y = 3x + 9 D. y = 3x 3 How are biotic factors and abiotic factor related lusThe carbon released during cellularrespiration is in the form of carbondioxide, which is a gas. Where is thiscarbon released? 2. The radius of a circle is 9 cm. Find the area of the circle(Use 3.14 as the approximation of T.) A student completed a lab report. Which correctly describes the difference between the "Question" and "Hypothesis"sections of her report? __ are molecules that carry information in cells. a.carbohydratesb.lipidsc.nucleic acids The circuitry of the autonomic system allows for control in activation. The characteristic that allows a small number of preganglionic cells to stimulate a large number of postganglionic cells is did you know that banana are curved because they grow towards the sun How much money did Gemma have left in her checking account I need help In English colonization in America, they were created as Thirteen Colonies. Comment on the characteristics of the Colonies of the North and the Colonies of the South. It is for today, help me please !!! . How did tribes spread out from Africa? When were computers discovered The table shows the results of the experiment to determine the 90-day weather forecast. How does the experimental probability compare to the theoretical probability? The theoretical probability for rain is 1/5. The experimental probability for rain is . The actual weather is the theoretical probability.