Write an expression that evaluates to true if the value of the int variable numberOfPrizes is divisible (with no remainder) by the int variable numberOfParticipants. Assume that numberOfParticipants is not zero.

Answers

Answer 1

Answer:

import java.util.Scanner;

public class TestClock {

   public static void main(String[] args) {

   Scanner in = new Scanner(System.in);

       System.out.println("Enter number of prices");

       int numberOfPrizes = in.nextInt();

       System.out.println("Enter number of participants");

       int numberOfParticipants = in.nextInt();

        boolean isDivisible;

        if(numberOfPrizes%numberOfParticipants==0){

            isDivisible=true;

            System.out.println("True");

        }

        else {

            isDivisible=false;

            System.out.println("False");

        }

   }

}

Explanation:

Using Java Language;

Prompt user to enter the number of prices and number of participants using the scanner classreceive and save values in the variables numberOfPrizes and numberOfParticipantsCreate  a boolean variable (isDivisible) Using if statement and the modulo operator (%) which returns the remainder of division check if numberOfPrizes divieds evenly by numberOfParticipants.

Related Questions

Consider two different implementations, M1 and M2, of the same instruction set. There are three classes of instructions (A, B, and C) in the instruction set. M1 has a clock rate of 80 MHz and M2 has a clock rate of 100 MHz. The average number of cycles for each instruction class and their frequencies (for a typical program) are as follows:______
a. Calculate the average CPI for each machine, M1, and M2.
b. Which implementation (M1 or M2) is faster?
c. Find the clock cycles required for both processors.

Answers

Answer:

a) the average CPI for machine M1 = 1.6

the average CPI for machine M2 = 2.5

b) M1 implementation is faster.

c) the clock cycles required for both processors.52.6*10^6.

Explanation:

(a)

The average CPI for M1 = 0.6 x 1 + 0.3 x 2 + 0.1 x 4

= 1.6

The average CPI for M2 = 0.6 x 2 + 0.3 x 3 + 0.1 x 4

= 2.5

(b)

The average MIPS rate is calculated as: Clock Rate/ averageCPI x 10^6

Given 80MHz = 80 * 10^6

The average MIPS ratings for M1 = 80 x 10^6  / 1.6 x 10^6

= 50

Given 100MHz = 100 * 10^6

The average MIPS ratings for M2 = 100 x 10^6 / 2.5 x 10^6

= 40

c)

Machine M2 has a smaller MIPS rating

Changing instruction set A from 2 to 1

The CPI will be increased to 1.9 (1*.6+3*.3+4*.1)

and hence MIPS Rating will now be (100/1.9)*10^6 = 52.6*10^6.

To make sound decisions about information security, management must be informed about the various threats facing the organization, its people, applications, data, and information systems.A. TrueB. False

Answers

Answer:

The answer is A. True

Explanation:

It is the responsibility of management to be aware of the current and potential threats that the organization is facing or prone to face in the nearest future. The threats could be focused on data integrity, valuable information, applications, or human personnel.

Hence, to make adequate decisions on information security, the management must take an assessment of the current situation of the organization and make plans towards securing the organization.

Drag the correct type of update to its definition.

Answers

Answer:

Explanation:

PRI (product release information) is a connection between a mobile device and a radio tower.

Baseband is a ship that controls all the waves GSM, 3G phones, and the RF, this is in a mobile device network connectivity.

PRL is a list of radio frequency, we can find these lists in some digital phones, the phone can use in various geographic areas.

Analyze the following code:

public class Test {
public static void main(String[] args) {
A a = new A();
a.print();
}
}

class A {
String s;

A(String newS) {
s = newS;
}

void print() {
System.out.println(s);
}
}

Answers

Answer:

Constructor issue

Explanation:

When you look at the Class A, the constructor takes one argument as a parameter, a String.

A(String newS) {

s = newS;

}

However, in the main, the constructor does not take any argument as a parameter.

A a = new A();

That's why the code does not compile.

Another method that might be desired is one that updates the Student’s number of credit hours. This method will receive a number of credit hours and add these to the Student’s current hours. Which of the following methods would accomplish this?

a) public int updateHours( )

{

return hours;

}



b) public void updateHours( )

{

hours++;

}



c) public updateHours(int moreHours)

{

hours += moreHours;

}



d) public void updateHours(int moreHours)

{

hours += moreHours;

}



e) public int updateHours(int moreHours)

{

return hours + moreHours;

}



The Coin class, as defined in Chapter 4, consists of a constructor, and methods flip, isHeads and toString. The method isHeads returns true if the last flip was a Heads, and false if the last flip was a Tails. The toString method returns a String equal to "Heads" or "Tails" depending on the result of the last flip. Using this information, answer questions 4-5.






4) A set of code has already instantiated c to be a Coin and has input a String guess, from the user asking whether the user guesses that a coin flip will result in "Heads" or "Tails". Which of the following sets of code will perform the coin flip and see if the user’s guess was right or wrong?

a) c.flip( );

if(c.isHeads( ).equals(guess)) System.out.println("User is correct");



b) if(c.flip( ).equals(guess)) System.out.println("User is correct");



c) if(c.isHeads( ).equals(guess)) System.out.println("User is correct");



d) c.flip( );

if(c.toString( ).equals(guess)) System.out.println("User is correct");



e) c.flip( ).toString( );

if(c.equals(guess)) System.out.println("User is correct");





5) What does the following code compute?

int num = 0;

for(int j = 0; j < 1000; j++)

{

c.flip( );

if(c.isHeads()) num++;

}

double value = (double) num / 1000;

a) the number of Heads flipped out of 1000 flips

b) the number of Heads flipped in a row out of 1000 flips

c) the percentage of heads flipped out of 1000 flips

d) the percentage of times neither Heads nor Tails were flipped out of 1000 flips

e) nothing at all

Answers

Answer:

Part 1:

Option d) is correct one.

public void updateHours(int moreHours)  

{

hours += moreHours;  

}

Explanation:

The variable more hours will be given as argument to the function that will add the previous counted hours to the new ones. So the function updateHours will return total number of credit hours as required.

Part 2:

Option d) is the correct one.

c.flip( );

if(c.toString( ).equals(guess)) System.out.println("User is correct");

Explanation:

If the result of c.flip() gets equal to the guess the string "User is correct" will be printed on the screen to lag that the user is right otherwise the user will be wrong.

Part 3:

Option c) is the correct one.

the percentage of heads flipped out of 1000 flips

Explanation:

As we can see through the code that the total number of heads is divided by the number 1000 that is the total o all flips so it will give the percentage of the heads flipped out of 1000 lips.

I hope it will help you!

Claire is trying to listen to her history professor's lecture, but her mind keeps wandering to thoughts about her plans for the upcoming weekend. She is likely experiencing ____ noise
A) Internal
B) External
C) Expressional
D) Insistent

Answers

Answer:

internal

Explanation:

its is a type of distraction causing her not to pay attention to her surroundings

Lisa has had her California real estate license suspended for violations involving mobile homes under the California Business and Professions Code. What could she have possibly done?

Answers

Answer:

Both A and B.

Explanation:

In the above statement, there some details of the question is missing that is options.

She has already had its California property license revoked under California Corporation and Occupations Law for breaches regarding mobile homes. So, she possibly she sent a check for mobile home payments to the State of California as well as the check was not honoured and she has participated knowingly in the sale of a mobile home.

You have configured a VPN between your gateway router and another gateway router of the partner organization. You need to ensure that the communication between both the router is encrypted using IPSec. Which type of IPSec configuration are you doing

Answers

Answer:

network-to-network

Explanation:

A network-to-network connection requires the setup of IPsec routers on each side of the connecting networks to transparently process and route information from one node on a LAN to a node on a remote LAN.

The information needed for a network-to-network connection include:

• The externally-accessible IP addresses of the dedicated IPsec routers.

• The network address ranges of the LAN/WAN served by the IPsec routers (such as 192.168.1.0/24 or 10.0.1.0/24).

• The IP addresses of the gateway devices that route the data from the network nodes to the Internet.

Final answer:

In configuring a VPN with IPSec for encrypted communication between gateway routers, you are setting up an in-transit encryption using Tunnel mode. This ensures data security from one endpoint to the other and protects against eavesdropping while potentially concealing metadata.

Explanation:

When configuring a VPN between two gateway routers with the requirement of encrypting the communication, you are setting up what is known as an IPSec (Internet Protocol Security) VPN. IPSec ensures that in-transit encryption is applied to the data packets traveling between the routers. This kind of configuration encrypts the data from one VPN endpoint to another, thereby securing the data across the internet or any other intermediary networks.

IPSec can operate in two modes: Transport mode, which encrypts only the payload of each packet leaving the header untouched, and Tunnel mode, which encrypts both the payload and the header which is used in VPNs. In this scenario, you are likely implementing a Tunnel mode configuration to secure the data between the two gateways. This form of encryption ensures that sensitive information being transmitted is hidden from potential eavesdroppers and conceals metadata to a certain extent as well.

Furthermore, end-to-end encryption, or E2EE, is another form of security where only the communicating users can read the messages. In contrast to in-transit encryption, E2EE ensures that the communication provider also cannot access the content. While relevant, E2EE is not specifically about the transport of data between routers in a VPN context.

in a TCP segment, the ______________________ field indicates how many bytes the sender can issue to a receiver while acknowledgment for the segment is outstanding. n a TCP segment, the ______________________ field indicates how many bytes the sender can issue to a receiver while acknowledgment for the segment is outstanding.

Answers

Answer:

Sliding window

Explanation:

A Sliding Window protocol is a feature of packet-based data transmission protocols. Sliding window protocols are used where reliable in-order delivery of packets is required, such as in the data link layer (OSI layer 2) as well as in the Transmission Control Protocol (TCP). They are also used to improve efficiency when the channel may include high latency. Sliding windows are a key part of many protocols. It is a key part of the TCP protocol, which inherently allows packets to arrive out of order, and is also found in many file transfer protocols

A,List at least features that can be used to format a report. b,What must you do first in order to change the font type,size,and color of particular text. c,Would you consider using text effect for writing an application for sick leave yo your principle.Give reasons for your answer. d,If you want to draw the attention of the readers towards the key point in your study notes,which tool would you use. e,outline the steps needed to create borders for a flyers you are making for the spring carnival in your school.

Answers

Answer: (A)= font size, font colours, font type, text effects, shapes, bold, underlining, borders, margins, paragraphs, etc

(B)= Select that particular text by using your cursor to select and click on it.

(C)= yes, I would use text effects, REASON: to make it look professional

(D)= the bold option

(E)= Select page--->Click on the page editing tool---> select the border tool.

Explanation:

(A)== Features like the font size, font type, font colour, bold, underline, shapes, etc can be used to format a report.

(B)== You have to first select the particular text. This can be done by using the cursor to hover on the particular text then you select text, after which you can now edit it.

(C)== yes, Reasons: text effects can to used in making the application look more professional.

(D)== The bold text effect can be used to highlighten that a particular keyword is important.

(E)==

Step 1: select the particular page

Step 2: select the page editing tool

Step 3: select insert borders option

Step 4: customize it to your preferred taste.

Which of these has an onboard key generator and key storage facility, as well as accelerated symmetric and asymmetric encryption, and can back up sensitive material in encrypted form?
A. Trusted Platform Module (TPM)
B. Self-encrypting hard disk drives (HDDs)
C. Encrypted hardware-based USB devices
D. Hardware Security Module (HSM)

Answers

Answer:

Hardware security module.

Explanation:

Hardware security module is a Physical digital device that comes as a plug-in adapter used to secure and manage digital keys and provides crypto processing for strong authentication.

It has an onboard cryptographic keyboard and one or more crypto processors, and can be used on computers and network servers to prevent logical or physical authentication access to unauthorized users. It supports symmetric and asymmetric cryptography.

Time (non-statistical) division multiplexing differs from frequency division multiplexing because it:

a. does not share a communication circuit

b. splits the communication circuit vertically (with time slots) instead of horizontally

c. increases the wavelength and phase angles of the baseband frequency used for transmission

d. moves the baseband of a circuit by shifting it to a higher frequency

e. reduces baseband signal velocity more than frequency division multiplexing

Answers

Explanation:

We can divide the multiplex in different categorize, for example:

FREQUENCY DIVISION MULTIPLEXERS (FDM) TIME DIVISION MULTIPLEXERS (TDM) STATISTICAL TIME DIVISION MULTIPLEXERS (STDM).

But in this case, we're going to explain about the time and frequency, because the time division multiplex differ to frequency, because the circuit is divided horizontally, and the time is vertically

b. splits the communication circuit vertically (with time slots) instead of horizontally

A 1-line script can be written that counts the number of words in two text files and compares the counts: IF [WC -w f1 -eq WC -w f2] THEN ECHO "equal" ELSE ECHO "not equal" Show the order in which the different tasks below must be performed to accomplish the same goal using a GUI.

Answers

Answer:

Hi Salhumad! A GUI for comparing 2 files would have select buttons for choosing the 2 files and a "Compare" button to compare the 2 files once they have been selected.

Explanation:

Your question is giving you most of the answer itself. The 1-line script counts the number of words in two text files and compares the results. Using a GUI, you would have a "select file" chooser button on one side of the screen to allow user to select the first file, and another "select file" button for the user to select the second file for comparison. Another button would be on the screen that would say "Compare files", which once you click, can invoke the one-line script already provided to you in the question. You can put error handling to only call the compare files code once both files are selected.

Successful Web sites such as StumbleUpon ( www.stumbleupon) and Digg ( www.digg) use ____ by inviting their visitors to vote on recommended Web sites, articles, restaurants, photos, or videos, for example, by submitting links or reviews.

Answers

Answer:

"Crowdsourcing" is the correct answer for the above question.

Explanation:

Crowdsourcing is a term from which any organization advertises the thinks or can get the ideas or solutions for any particular problem.It is a term that refers to the problem to the number of solvers to achieve the result correct and frequent.For example, If anyone wants to prepare the two websites. Then he assigns the works to the number of people and the works done faster with the help of this.The above question states that some websites can be successful with the help of the type of work. They are successful with the help of crowdsourced work. Because it saves time. So the answer is Crowdsourcing.

Final answer:

Successful websites like StumbleUpon and Digg use recommendation algorithms to present personalized content to users, which are based on their previous interactions and behaviors on the site.

Explanation:

Successful websites like StumbleUpon and Digg utilize recommendation algorithms by inviting their visitors to vote on or review recommended Web sites, articles, restaurants, photos, or videos. These algorithms are computer programs integrated into social media platforms, e-commerce sites, and various digital applications that analyze users' past behavior to predict and influence their future choices. The more a user interacts with certain types of content, the more the algorithm learns about their preferences, and this data is used to personalize the content that is presented to them. Therefore, by modifying their recommendation algorithms, platforms can better deliver content they presume users will enjoy, which is crucial for media industries aiming to predict audience preferences.

When the continue statement is encountered in a loop, all the statements in the body of the loop that appear after it are ignored, and the loop prepares for the next iteration.

Answers

Answer:

True

Explanation:

While looping through, there can be times that you do not want your code to do anything in some situations. Let's say you loop through an array consists of four numbers (1, 2, 3, and 4). You want to print all the values except 2. Check the code written in Java below.

     int [] numbers = {1, 2, 3, 4};

     for(int number : numbers) {

        if(number == 2) {

           continue;

        }

        System.out.println(number);

     }

Embedded style sheets are created by web page authors and consist of styles that are inserted directly within the body element of a Hypertext Markup Language (HTML) document.​A. True
B. False

Answers

Answer:

B. False

Explanation:

There are three ways of styling a web-page namely:-

Inline Style Sheets

Internal/Embedded Style Sheets

External Style Sheets.

In Inline Style sheet, the style sheet information is applied directly to a an HTML document.

e.g <p style="color: red"> This is an inline styling </p>

In Internal style sheet, the style sheet information is embedded within <style></style> tags in the head of your document

e.g

<style>

p {

       font-family: arial, serif;  

       font-size: 50%;

   }

  hr {

       color: blue;  

       height: 1px;  

   }

</style>

In External style sheet, the style sheet information is written in a  file where you can declare all the styles that you want to use on your website. You then link to the external style sheet using <link rel="stylesheet" href="styles.css">

e.g

1. Create a style sheet

body {

   background-color: darkslategrey;

   color: azure;

   font-size: 1.1em;

}

h1 {

   color: coral;

}

#intro {

   font-size: 1.3em;

}

.colorful {

   color: orange;

}

2. Link style sheet

<!DOCTYPE html>

<html>

   <head>

       <title>My Example</title>

       <link rel="stylesheet" href="styles.css">

   </head>

   <body>

       <h1>Hello World</h1>

   </body>

</html>

_____ maintains consistency among a set of DFDs by ensuring that input and output data flows align properly. A. Terminating B. Functioning C. Leveling D. Balancing

Answers

Answer:

D. Balancing

Explanation:

The concept of balancing states that all the incoming flows to a process and all the outgoing flows from a process in the parent diagram should be preserved at the next level of decomposition.  Process decomposition lets you organize your overall DFD in a series of levels so that each level provides successively more detail about a portion of the level above it.

The goal of the balancing feature is to check your system internal consistency, which is particularly useful as different levels of expertise are generally involved in a project.

Consider the following sequence of items 10, 36, 25, 54, 37, 12, 75, 68, 42, 86, 72, 90. Insert these items in the order above, into an initially empty implicit binary max-heap. Show the heap throughout the process but write down the heap as an answer after every 3 INSERT() operations. (Just hand-simulate the behavior of the implicit binary max-heap, and draw the resulting heap, both throughout the entire process and the ones after every 3 INSERT() operations as answers (note that the former is to show all your work so that partial credits can be given in case you make mistakes, while the latter (answers) are the ones to be graded). Draw them in the form of a tree rather than an array.)

Answers

Answer:

See attachment below

Explanation:

Dallas is an analyst at an online retailer. He is great at creating representative diagrams showing the relationships between customer purchases, billing, and shipment. This indicates that he has ________ skills.A) abstract reasoningB) collaborativeC) experimentalD) systems thinking E) spatial intelligence

Answers

Answer:

The answer is A. Abstract reasoning

Explanation:

Abstract Reasoning involves critical thinking to come up with solutions that are not generally obvious, we could consider it also as logical reasoning, a great sense of judgment, creativity, dynamic thinking and so on.

From our question, Dallas is great at creating representative diagrams that show the relationship between customer purchases, billing, and shipment. This implies that

Dallas will have to think out of the box for customers with complex purchases, billings, and shipment.Dallas's level of creativity is what makes him great at creating representative diagrams.

_____ refers to applications installed on a personal computer, typically to support tasks performed by a single user.

Answers

Answer:

"Desktop software" is the correct answer for the above question.

Explanation:

Desktop software is software, which works on the computer to perform some tasks for the user of the computer. It performs the task of the user and the application. It is used to connect the application to the user by which the user can use any application of the computer system.The question wants to ask about the software which is used in the computer to connect the user and applications. So the answer is "Desktop computers" which is described above.

A program that processes data submitted by the user. Allows a Web server to pass control to a software application, based on user request. The application receives and organizes data, then returns it in a consistent format.

Answers

Answer:

The correct answer to the following question will be "Common Gateway Interface (CGI)".

Explanation:

An architecture specification for web applications to implement programs that execute on a computer operated like console applications and dynamically create web pages. Similar applications are referred to as CGI files, or generally, as CGIs, termed as CGI (Common Gateway Interface).Such applications are used to automatically create pages or execute several other functions when somebody is filling out an HTML document and pressing the submit or send button.

Therefore, CGI is the right answer.

What attack cracks a password or encryption key by trying all possible valid combinations from a defined set of possibilities (a set of characters or hex values)?

Answers

Answer:

Brute Force attack.

Explanation:

A network is a platform where end user devices like computers are connected to communicate and share resources. There are public networks and private networks.

A public network has its end devices and servers configured with a public IP address, which is routable on the internet, while private networks uses private IP addresses which can be used on the internet.

Private networks can be made accessable to public users by configuring an authentication and authorization policy, which could be one or a multi factor authentication. These requires a password and other factors to access the services of a private network.

An attacker can easily access a one factor or a password accessible user account, if the password is weak by using the process called a brute Force attack.

The brute Force attack exploits the vulnerability of weak passwords by entering possible valid combination from a defined set of possibilities.

Ensuring data backups for data stored on a portable device is generally considered: a. Always required. b. Necessary when the device would otherwise be the only source of hard-to-replace data, but the backup mechanism must also be secure. c. Never necessary. d. Always detrimental to security, so universally discouraged.

Answers

Answer:

The answer is "Option b".

Explanation:

A data backup is a mechanism of generating a duplicate copy from your sensitive files and data like your photos, video clips, documents, and links, for example — so your data is safe and accessible when something occurs to your device, it would be the first to the provider of tough-to-replace data, and it is essential, but its recovery method must be safe, and other choices were wrong that can be described as follows:

In option a, It does not require always, that's why it is wrong. In option c, It is wrong because data backup is necessary. In option d, It doesn't provide detrimental security, that's why it is wrong.

The correct answer is b. Necessary when the device would otherwise be the only source of hard-to-replace data, but the backup mechanism must also be secure.

Backing-up is a crucial process to protect data from loss due to deletion, corruption, theft, or viruses. Here are some basic principles:

Back up your data as soon as possible to avoid relying on a single copy for too long.Identify where your primary dataset will be held and develop a strategy for backing up your data to other hard drives or via electronic transmission.Always ensure backups are stored in secure, separate locations to safeguard the data effectively.Utilize cloud storage as an additional backup measure but ensure the data is encrypted to prevent unauthorized access.For portable devices like laptops and smartphones, back up data regularly due to the significant amount of critical information they store.

Invest in reliable external hard drives, preferably SSD models, for better reliability and reduced physical damage risk. Ensure compatibility with project computers and never entrust the day's data to anyone without copying it to a secure place first. By following these practices, you can minimize the risk of data loss and ensure that your backups are both reliable and secure.

Drag the correct type of update to its definition.
PRL
PRI
Baseband
The connection between a mobile device and radio tower
The chip that controls the radio frequency waves within a device
A list of radio frequencies

Answers

Answer:

   

Explanation:

Baseband: The chip that controls the radio frequency waves within a device, is a range before to become in a different frequency range, for example, an audio frequency when is transmitted is a radio frequency.

The Preferred Roaming List (PRL) is a list of radio frequencies, and a database there residing in a wireless device like a cellphone.

PRI The chip that controls the radio frequency waves within a device.

Write the definition of a class Telephone. The class has no constructors,
one instance variable of type String called number,
and two static variables. One is of type int called quantity;
the other is of type double called total. Besides that,
the class has one static method makeFullNumber. The method accepts two arguments,
a String containing a telephone number and an int containing
an area code. The method concatenates the two arguments in the following manner: First comes the area code,
then a dash, then the telephone number. The method returns the resultant string.

Answers

Answer:

public class Telephone{

   private String number;

   private static int quantity = 250;

   private static double total = 15658.92;

}

Explanation:

Answer:

The classification of a phone number

Explanation:

For example, this number represents a typical Nigeria phone number:

009-234-01- 463391

009 is the international dialing code

234 is Nigeria dialing code

01 is the state's area dialing code

In the context of security in networking, the letters AAA in the term "AAA servers" stand for _____.
A. allowing access automatically
B. accessing all appliances
C. access, applications, and accounting
D. authentication, authorization, and accounting

Answers

Answer:

D) AAA refers to Authentication, Authorization and Accounting.

Explanation:

Authentication

Answer the question of  who are you?.The two most popular options for external user authentication are RADIUS and TACACS

Authorization

Authorization services determine what resources the user can access and what operations are enabled to perform.An authorization type question is how much can you spend?

Accounting

Accounting records what the user does, keeps track of how network resources are used.Example question in what do I spend it?

Answer:

D. authentication, authorization, and accounting

Explanation:

How many license plates can be made using either two or three letters followed by either two or three digits?

Answers

Answer:

20,077,200

Explanation:

We can resolve this problem multiplying:

We have 26 different letters in the alphabet, in the example says two letters and three letters, in addition, is followed by two or three digits, and there are 10 digits, the formula would be:

Using 2 letters and 2 digits is 26^2 X 10^2 = 67,600

Using 2 letters and 3 digits is 26^2 X 10^3 = 676,000

Using 3 letters and 2 digits is 26^3 X 10^2 = 1,757,600

Using 3 letters and 2 digits is 26^3 X 10^3 =  17,576,000

and the sum is 20,077,200

Concerning Structured Cabling, select the statement that is true, or select, "All statements are false."
vertical cross connects connect work stations to the closest data closet
a patch cable is relatively short, from 20 feet to 90 feet
the dmarc is located at the local telecommunications carrier's office
the MDF(main distribution frame) is the centralized point of interconnection for an organization's LAN.
the IDF (intermediate distribution frame) is a junction point between the MDF and the entrance facility.
All statements are false.

Answers

Answer:

1) TRUE

2) FALSE

3) FALSE

4) TRUE

5) TRUE

Explanation:

1) vertical cross connects connect work stations to the closest data closet  TRUE

2) a patch cable is relatively short, from 20 feet to 90 feet

FALSE

3) the dmarc is located at the local telecommunications carrier's office

FALSE

4) the MDF(main distribution frame) is the centralized point of interconnection for an organization's LAN.

TRUE

5 )the IDF (intermediate distribution frame) is a junction point between the MDF and the entrance facility.

TRUE

In 2011 a computer called Watson competed against and beat former champions during rounds of Jeopardy. Watson uses artifical intelligence to understand and answer questions posed in everyday language. A similar technology enables computers to understand the relationships among topics, concepts and characteristics to help users search for information. This is the basis for what concept?

a.Tacit knowledge
b.Web 3.0
c.Mashups
d.Knowledge management systems
web 3.0

Answers

Answer:

Option B i.e., web 3.0.

Explanation:

Watson's computer rivaled and hit titleholders at the time of the following rounds. He uses AI to understand the issues raised in everyday speech and respond to them. The same technology helps computers to learn the interrelationships between subjects, principles, and apps to allow users to look for data. So, web 3.0 concept is based on the following.

Other options are not correct according to the following scenario.

When Amy turns on her computer, she notices a burning smell. Smoke comes out of the case, and Amy immediately turns off her computer. What might be causing Amy’s computer to emit smoke and a burning smell?

Answers

Answer:

"Power Problem" is the correct answer for the given question .

Explanation:

When Amy starts the computer she feels the smell of burning because there is power problem in her switches which makes the burning of wires. The power problem may arise be due to the failure of Fan which is inside the central processing unit Another reason for power Failure may be the fluctuation of the voltage due to this it makes the overheating of the power supply.

When Amy saw this problem it immediately shut down the computer to protect her computer.

Other Questions
Tom O'Brien has a 2-stock portfolio with a total value of $100,000. $75,000 is invested in Stock A with a beta of 0.75 and the remainder is invested in Stock B with a beta of 1.42. What is his portfolio's beta?a.1.12b.0.86c.0.92d.0.99e.0.81 Find an equation of the plane that contains (3, 4, 9) and is parallel to x + y 5z = 1. (Use x, y, and z for coordinates.) Read the passage. What is the best summary of thetext?Aso I live my life by the surgeon's code.o I work with tools such as leather and awls.o I am as careful as a surgeon when I work.o I am a tradesman and do not bother others.aesareare The two forces that work on your vehicle as you go around a curve are traction and Divide using synthetic division A pair of shoes is priced $35.99, but is on sale for 20% off.What is the sale price of the shoes what is the equation form of the ideal gas law? What is the amount of work done when a force of 10N moves a 20kg mass of 8 meters? HELPPPPPPPPPPPPPPPPPP IM DESPERATE You buy three tickets to play the "Mega Big Time Jackpot" in which the prize is $200,000. The chance any ticket wins is 1 out of 614,679 and is independent of any other ticket winning, what is the chance you lose all three times? Round to two decimal places.a. 0.95b. 1.00c. 0.99d. 0.00 Donato is 6 feet 2 inches tall. His sister is 68 inches tall. Donato is how many inches taller. The atmosphere that covers our planet is considered a(n) - You can buy 5 cans for green beans at the Village Market for $3.70. You can buy 10 of the same cans of beans at Sams club for $6.30. Which place is the the better buy? What is the first step in the research process?A.drafting an essayB.finding background informationC.choosing a topicD.citing sources The PMI "Code of Ethics and Professional Conduct" provides guidelines for ethical behavior by project management practitioners. It describes four main values that should guide a project manager's actions. List these four values and give one example per value of why it should guide a project manager's actions.a. Responsibilityb. Respectc. Fairnessd. Honesty what does this example of a hyperbole really mean? When Paul Bunyan went swimming, he would flood large cities. Which of the following describes air temperature and air pressure at higher altitudes?A. Air temperature increase while air pressure decreasesB. Air temperature and air pressure both decrease C.Air temperature and air pressure both increase D.Air temperature decreases while air pressure increases 5. Name the property the equation illustrates. Please help. Use context clues to choose the answer closest in meaning to each capitalized word. Its a good idea for married couples to discuss their plans in case of each others DEMISE. For example, do they wish to be buried or cremated?A. DeathB. SuccessC. Desire to divorce D. Concern The press ASSAILED the mayor for giving large city construction jobs to his brother-in-laws firm.A. Searched forB. PaidC. AttackedD. FinedOne TENET of Islam is that its followers should not drink alcohol.A. AnswerB. Principle C. PredictionD. GuaranteeToddlers are naturally INQUISITIVE. Because they are so curious about their surroundings, they are eager to explore everything.A. UnreliableB. ClumslyC. CuriousD. TiredAfter x-rays were discovered in 1895, there were some PREPOSTEROUS reactions. For example, London merchants sold x-ray proof underwear.A. LogicalB. RidiculousC. DangerousD. DelayedThe foolish defendant WAIVED his right to an attorney and instead spoke for himself in court.A. Depended uponB. Greeted C. WroteD. Gave upSexual standards in England during the 1800s were so strict that it was considered SORDID for women to reveal their legs in public.A. ProperB. ImpossibleC. PopularD. IndecentYoung children believe their parents are perfect, until they become teenagers, when their parents suddenly become quite FALLIBLE.A. UnhealthyB. DangerousC. ImperfectD. SkilledAt the company where Gerry works, people who are laid off during a brief RECESSION are often rehired when theres a business upturn.A. Business declineB. BankruptcyC. HolidayD. WarThe Englishman John Merricks illness gave him such a GROTESQUE appearance that he was called The Elephant Man. Despite peoples reactions to his misshapen head and body, Merrick remained affectionate and gentle.A. StrongB. DeformedC. GrayD. Childlike Apply the distributive property to factor out the greatest common factor 70-40p