write a program that records high-score data for a fictitious game. the program will ask the user to enter the number of scores, create two dynamic arrays sized accordingly, ask the user to enter the indicated number of names and scores, and then print the names and scores sorted by score in descending order.

Answers

Answer 1

#include <iostream>

#include <string>

using namespace std;

void initializeArrays(string names[], int scores[], int size);

void sortData(string names[], int scores[], int size);

void displayData(const string names[], const int scores[], int size);

int main()

{

  string names[5];

  int scores[5];

  initializeArrays(names, scores, 5);

  sortData(names, scores, 5);

  displayData(names, scores, 5);

 return 0;

}

void initializeArrays(string names[], int scores[], int size){

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

      cout<<"Enter the name for score #"<<(i+1)<<": ";

      cin >> names[i];

      cout<<"Enter the score for score #"<<(i+1)<<": ";

      cin >> scores[i];

      }

}

void sortData(string names[], int scores[], int size){  

      int temp = 0;

      string tempStr = "";  

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

              for(int j=1; j < (size-i); j++){

                      if(scores[j-1]< scores[j]){

                              temp = scores[j-1];

                              scores[j-1] = scores[j];

                              scores[j]=temp;

                              tempStr = names[j-1];

                              names[j-1] = names[j];

                              names[j]=tempStr;

                      }

              }

      }

}

void displayData(const string names[], const int scores[], int size){

  cout<<"Top Scorers:"<<endl;

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

          cout<<names[i]<<": "<<scores[i]<<endl;

      }

}

C++ Programming :

               C++ is an object-oriented programming language which gives a clear structure to programs and allows code to be reused, lowering development costs. C++ is portable and can be used to develop applications that can be adapted to multiple platforms. Performance, effectiveness, and flexibility of usage were the design pillars of C++, which was created with systems programming, embedded, resource-constrained software, and big systems in mind. The software infrastructure and resource-constrained applications, such as desktop programmes, video games, servers, and performance-critical programmes, are two areas where C++ has been proven to be very useful.

                   C++ is standardized by an ISO working group known as JTC1/SC22/WG21. It has released six iterations of the C++ standard thus far and is now working on C++23, the upcoming revision. C++ was first standardised by the ISO working group in 1998 as ISO/IEC 14882:1998, also referred to as C++98. It released a revised version of the C++ standard in 2003 called ISO/IEC 14882:2003 that addressed issues found in C++98.

                   The two fundamental parts of the C++ programming language are a direct translation of hardware characteristics, mostly from the C subset, and zero-overhead abstractions built on top of those mappings. According to Stroustrup, C++ is ""C++" is a lightweight abstraction programming language that "offers both hardware access and abstraction" and is "built for creating and using efficient and elegant abstractions." Its ability to be done effectively sets it apart from other languages."

To learn more about C++ refer :

https://brainly.com/question/20339175

#SPJ4

Answer 2

 C++ is an object-oriented programming language which gives a clear structure to programs and allows code to be reused, lowering development costs. C++ is portable and can be used to develop applications that can be adapted to multiple platforms.

How to Create C++ Program for  High score data for a fictious?

C++ is an object-oriented programming language which gives a clear structure to programs and allows code to be reused, lowering development costs. C++ is portable and can be used to develop applications that can be adapted to multiple platforms. Performance, effectiveness, and flexibility of usage were the design pillars of C++, which was created with systems programming, embedded, resource-constrained software, and big systems in mind.

The software infrastructure and resource-constrained applications, such as desktop programmes, video games, servers, and performance-critical programmes, are two areas where C++ has been proven to be very useful.

#include <iostream>

#include <string>

using namespace std;

void initializeArrays(string names[], int scores[], int size);

void sortData(string names[], int scores[], int size);

void displayData(const string names[], const int scores[], int size);

int main()

{

 string names[5];

 int scores[5];

 initializeArrays(names, scores, 5);

 sortData(names, scores, 5);

 displayData(names, scores, 5);

return 0;

}

void initializeArrays(string names[], int scores[], int size){

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

     cout<<"Enter the name for score #"<<(i+1)<<": ";

     cin >> names[i];

     cout<<"Enter the score for score #"<<(i+1)<<": ";

     cin >> scores[i];

     }

}

void sortData(string names[], int scores[], int size){  

     int temp = 0;

     string tempStr = "";  

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

             for(int j=1; j < (size-i); j++){

                     if(scores[j-1]< scores[j]){

                             temp = scores[j-1];

                             scores[j-1] = scores[j];

                             scores[j]=temp;

                             tempStr = names[j-1];

                             names[j-1] = names[j];

                             names[j]=tempStr;

                     }

             }

     }

}

void displayData(const string names[], const int scores[], int size){

 cout<<"Top Scorers:"<<endl;

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

         cout<<names[i]<<": "<<scores[i]<<endl;

     }

}

                  C++ is standardized by an ISO working group known as JTC1/SC22/WG21. It has released six iterations of the C++ standard thus far and is now working on C++23, the upcoming revision. C++ was first standardised by the ISO working group in 1998 as ISO/IEC 14882:1998, also referred to as C++98. It released a revised version of the C++ standard in 2003 called ISO/IEC 14882:2003 that addressed issues found in C++98.

                  The two fundamental parts of the C++ programming language are a direct translation of hardware characteristics, mostly from the C subset, and zero-overhead abstractions built on top of those mappings. According to Stroustrup, C++ is ""C++" is a lightweight abstraction programming language that "offers both hardware access and abstraction" and is "built for creating and using efficient and elegant abstractions." Its ability to be done effectively sets it apart from other languages."

To learn more about C++ refer to:

brainly.com/question/20339175

#SPJ4


Related Questions

Ethan is a systems developer. He is working on a system where he will implement independent solutions for different processes. What is the possible drawback of using such a system?
A.
process dependence
B.
data duplication
C.
huge initial investment
D.
increased inventory cost

Answers

The possible drawback of using such a system of implementing independent solutions for different processes is: B. data duplication.

What is data?

Data is any representation of factual instructions (information) in a formalized and structured manner, especially as a series of binary digits (bits) or strings that are used on computer systems in a company.

The types of data.

In Computer technology, there are two main types of data and these include the following:

Analog data.Digital data.

Generally speaking, when independent solutions that are implemented for different processes on a system, it would typically lead to data duplication.

Read more on data here: brainly.com/question/13179611

#SPJ1

if you leave your study place in the library and leave your laptop open, or some indication that the space is being used, you are probably making use of:

Answers

If you leave your study place in the library and leave your laptop open, or some indication that the space is being used, you are probably making use of: a territorial marker.

What is library?

A library is a collection of resources, books, or media that are available for use rather than merely display. A library is a physical venue or a virtual area that provides physical (hard copies) or digital access (soft copies) to materials. A library's collection may comprise printed materials and other physical resources in a variety of media such as DVD, CD, and cassette, as well as access to information, music, or other content stored in bibliographic databases.

To learn more about library

https://brainly.com/question/27888406

#SPJ4

you are given an array segments consisting of n integers denoting the lengths of several segments. your task is to find among them four segments from which a rectangle can be constructed. what is the minimum absolute difference between the side lengths of the constructed rectangle?

Answers

Using the knowledge of computational language in python it is possible to describe an array segments consisting of n integers denoting the lengths of several segments.

Writting the code:

int solution(int[] segments) {

 

 int size = segments.length;

 

 if(size < 4) {

 

  /*

   * A rectangle needs at least 4 segments.

   */

  return -1;

 }

 

 /*

  * We count the number of segments of each length.

  */

 Map<Integer, Integer> counts = new HashMap<Integer, Integer>();

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

  counts.put(segments[i], counts.getOrDefault(segments[i], 0) + 1);

 }

 

 /*

  * If count of any length is >= 4, then the minimum difference is 0, as a rectangle

  * can be constructed using same-length segments.

  */

 for(int key : counts.keySet()) {

  if(counts.get(key) >= 4) {

   return 0;

  }

 }

 

 /*

  * Else, we do the following :

  *

  * 1. Remove all entries with counts less than 2.

  */

 Set<Integer> keysToRemove = new HashSet<Integer>();

 for(int key : counts.keySet()) {

  if(counts.get(key) < 2) {

   keysToRemove.add(key);

  }

 }

 

 for(int key : keysToRemove) {

  counts.remove(key);

 }

 

 /*

  * 2. Sort all the keys.

  */

 Object[] keys = counts.keySet().toArray();

 Arrays.sort(keys);

 

 /*

  * 3. Return the difference of last 2 elements (if size is >= 2).

  */

 if(keys.length < 2) {

  return -1;

 }

 

 return ((int)keys[keys.length - 1] - (int)keys[keys.length - 2]);

}

See more about python at brainly.com/question/19705654

#SPJ1

Core principles of user-centered software design were formulated by the as a way of promoting reliable expectations in the field.

Answers

Core principles of user-centered software design were formulated by the as a way of promoting reliable expectations in the field is a true statement.

What aspect of user-centered design is most crucial?

Finding out as much information as you can is crucial for a user-centered design to be successful. This aids in overcoming the inclination to naturally create for ourselves (or our stakeholders) as opposed to our intended audience.

Instead of more surface-level considerations, the emphasis should be on "deeper" insights. The underlying tenet of user-centered design is that you are more likely to produce goods that people will appreciate if you collect data from consumers and apply your findings into product design.

Therefore, Three principles are highlighted by user-centered design methodologies:

Early on, pay attention to users and their work.Inspect designs for usability.Develop iteratively.

Learn more about software design from

https://brainly.com/question/26135704
#SPJ1

Core principles of user-centered software design were formulated by the as a way of promoting reliable expectations in the field. True or false

logging on to one computer system and doing work on another. b. person-to-person messaging; document sharing - interactive conversations f. discussion groups on electronic bulletin boards c. transferring files from computer to computer - retrieving, formatting, and displaying information (including text, audio, graphics, and video) by using hypertext links. a. email b. chatting and instant messaging c. file transfer protocol (ftp) d. telnet e. world wide web f. newsgroups

Answers

First list provides a brief description of the principal internet services that are named in the second list. Mapping of each statement to the respective name is given as follows:

(a). E-mail is used for the purpose of communication and document sharing. So statement (ii) i.e. ‘person-to-person messaging; document sharing’ is the correct choice.

(b). Chatting and instant messaging services enable interactive conversations. So option (iii) ‘interactive conversations’ is the correct option.

(c). File Transfer Protocol (FTP) is a protocol used to transfer files between multiple computer systems. Option (v) ‘transferring files from computer to computer’ correctly reflects FTP.  

(d). Telnet is a network protocol that allows one to log on to one computer and use another computer. So, the statement in option (i) ‘logging on to one computer system and doing work on another’ correctly defines Telnet.

(e). World Wide Web is a big information system that allows sharing of information and all type of resources. Hence, statement given in (vi) i.e. ‘retrieving, formatting, and displaying information, including text, audio, graphics, and video, by using hypertext links’  is true.

(f). Newsgroups refer to the internet service that provides forums for the discussion of a specific topic. Thus,  (iv) ‘discussion groups on electronic bulletin boards’ is the correct choice.

Complete question is given here:

"

logging on to one computer system and doing work on another. person-to-person messaging; document sharing interactive conversations discussion groups on electronic bulletin boards transferring files from computer to computer  retrieving, formatting, and displaying information (including text, audio, graphics, and video) by using hypertext links.

(a).   Email   (b).   Chatting and instant messaging     (c).     File Transfer Protocol (FTP)   (d).   Telnet  (e).   World Wide Web     (f).  Newsgroups

"

You can learn more about Internet Services at

https://brainly.com/question/12566813

#SPJ4

2. about how long would a 150-pound person have to jog in order to burn the calories provided by a typical bagel of today (no toppings)? 10 minutes 20 minutes 40 minutes 60 minutes

Answers

The time that a 150-pound person will have to jog in order to burn the calories provided by a typical bagel of today is C. 40 minutes

How to calculate the time?

A typical bagel contains 350 calories. A 150-pound weight person can burn around 500 calories during general jogging per hour or 60 minutes. So, to burn 350 calories, he needs to jog for,

60 minutes ---> 500 calories

x ---> 350 calories

x = 350 * 60 / 500

x = 42 minutes

where x = number of minutes.

So, the person needs to jog for nearly 40 minutes to burn the calories provided by a typical bagel.

Thus, the correct option is C.

Learn more about calories in;

https://brainly.com/question/1061571

#SPJ1

a plc program requires a routine where a sint value is subtracted from a sint value. what is the smallest data type available that can accurately hold the full result for all possible input cases.

Answers

INT is the smallest data type available that can accurately hold the full result for all possible input cases.

An int way is a datum of important information type, an information kind that represents some styles of mathematical integers. Integral information types may be of numerous sizes and might or may not be legal to embody bad values. Integers are normally represented in a computer as a fixed of binary digits.

The int() is used to head again to the numeric integer identical to a given expression. An expression whose numeric integer is identical is returned. This example truncates the decimal and returns the integer as a part of the number.

Learn more about The int at brainly.com/question/16856574

#SPJ4

which form of attack submits excessive amounts of data to a target to cause arbitrary code execution? question 21 options: buffer overflow fragmentation insertion interruption

Answers

Answer:

i believe the answer is Buffer Overflow.
I could be wrong but that seems like the most reasonable answer.

Explanation:

a network administrator conducts a network assessment to determine where to implement a network intrusion detection system (nids). which sensor deployment option is most ideal if the admin is concerned about system overloads and resiliency in the event of power loss?

Answers

The sensor deployment option is most ideal if the admin is concerned about system overloads and resiliency in the event of power loss is option A.)Passive test access point (TAP).

What is Test Access Points (TAPs)?

Sensor deployment is done to accomplish goals like expanding coverage, boosting connection, enhancing robustness, or extending the lifespan of a certain WSN.

Consequently, a sensor deployment strategy must be properly planned in order to accomplish such desired functions without going over the budget allotted.

The idea of Test Access Points (TAPs) is straightforward. A TAP is a piece of hardware that maintains network integrity while enabling uninterrupted traffic flow from ports A to B and B to A. It does this by continually and continuously creating an exact copy of both sides of the traffic flow.

Therefore, A device with no physical barrier between its network ports is referred to as a passive network TAP. This implies that even if the device loses power, network port traffic can continue to flow, maintaining the link.

Learn more about access point  from

https://brainly.com/question/14781150
#SPJ1

See full question below

A network administrator conducts a network assessment to determine where to implement a network intrusion detection system (NIDS). Which sensor deployment option is most ideal if the admin is concerned about system overloads and resiliency in the event of power loss?

A.)Passive test access point (TAP)

B.) Active test access point (TAP)

C.) Aggregation test access point (TAP)

D.) Switched port analyzer (SPAN)/mirror port

while you are performing troubleshooting, a program is not responding and will not close when the exit button is clicked. how can you end the frozen program without losing your other work?

Answers

Press Alt + F4 can be clicked when you want to end the frozen program without losing your other work.

The way to solve troubleshooting that you can follow is Select Start > Settings > Update & Security > Troubleshoot, or select the Find troubleshooters shortcut at the end of this topic. Select the kind of troubleshooting you want to do, then select Run the troubleshooter. Permit the troubleshooter to run and then answer any questions on the screen.

If you're having trouble with a specific piece of computer hardware, such as your monitor or keyboard, an easy first step that you can follow is to check all related cables to ensure they're exactly connected.

Learn more about troubleshooting at https://brainly.com/question/28157496

#SPJ4

Multiple computers configured to be able to communicate and share information with each other form a ____________.

Answers

Multiple computers configured to be able to communicate and share information with each other form a network.

In the field of computers, a computer network can be described as a network that contains multiple computers connected to each other so that data or information can be shared among these computers.

Local-area networks, also referred to as LAN and wide-area networks also referred to as WAN are two major forms of forming a computer network.

However, certain communication protocols are set for computer networking in order to keep check of the privacy of data that a user doesn't want to share.

In computer networking, nodes and links are used for making connections among the computers.

To learn more about network, click here:

https://brainly.com/question/1167985

#SPJ4

Look at the following assignment statements:

food1 = "water"
food2 = "melon"

What is the correct way to concatenate the strings?

A. newFood = food1 == food2
B. newFood = food1 + food2
C. newFood = food1 * food2
D. newFood = food1 - food2

Answers

Answer:

B

Explanation:

Use the + and += operators for one-time concatenations

The real answer is:

Mark me brainliest. :D

what term is used to describe the likelihood (probability) that a project network's original critical path will change over the course of executing the project?

Answers

The term used to describe the likelihood(probability) that a project network's original critical path will change over the course of executing the project is Sensitivity.

How do you find the Critical path of a project?

1) List activities

2) Identify Dependencies

3) Create a network diagram

4) Estimate task duration

5) Calculate the critical path

6) Calculate the float

Through data-driven forecasting, project sensitivity is a comprehensive assessment of the likelihood that a project will be successful. Additionally, it distinguishes between high-risk and low-risk tasks, assesses risks' effects, and identifies dangers.

Hence, Project Sensitivity is the term used to describe the likelihood(Probability).

To learn more about the Critical path from the given link

https://brainly.com/question/15091786

#SPJ4

host a and b are directly connected with a 100 mbps link. there is one tcp connection between the two hosts, and host a is sending to host b an enormous file over this connection. host a can send its application data into its tcp socket at a rate as high as 120 mbps but host b fills up its buffer at a rate of 40mbps. on average, what is the long-term rate at which host a sends data to host b?

Answers

The long-term rate host a sends data to host b is 100 Mbps, Host A's sending rate can be at most 100 Mbps. Still, Host A sends data into the receive buffer faster than Host B can remove the data.

Transmission Control Protocol (TCP) means a standard that describes how to establish and maintain a network conversation by which applications can exchange data. TCP works with the Internet Protocol (IP), which describes how computers send packets of data to each other.

Based on the story above, the receive buffer fills up at a rate of roughly 40 Mbps. If the buffer is full, Host B signals to Host A to stop addressing data by setting RcvWindow = 0; Host A then stops addressing until it receives a TCP segment with RcvWindow > 0. Host A will start sending as a function of the RcvWindow values it receives from Host B and also thus repeatedly stop.

You can learn more about TCP connections at https://brainly.com/question/14801819

#SPJ4

Iuanyware is a ________ application that is designed to run within a computer browser such as firefox, chrome, opera, or edge.

Answers

Iuanyware is a service application that is designed to run within a computer browser such as firefox, chrome, opera, or edge.

What is meant by IUanyWare?

All IU staff, faculty, and students have access to IUanyWare. You may stream the IU-licensed apps and software you need from anywhere, on any device, without having to download, install, or utilize a VPN for each one.

While IUanyWare enables you to stream your program from a web browser or mobile app, IUware lets you install software straight to your hard drive.

Iuanyware is a service program made to function inside of a web browser like Firefox, Chrome, Opera, or Edge.

IUanyWare exists a service available to all staff, faculty, and students at IU. No matter where you exists or what device you're utilizing, you can stream the IU-licensed apps and software you required— without containing to install each one or utilize a VPN.

To learn more about IUanyWare refer to:

https://brainly.com/question/17493537

#SPJ4

what is the process of providing a user with permission including access levels and abilities such as file access, hours of access, and amount of allocated storage space?

Answers

Giving a user permissions, such as access levels and privileges like file access, access times, and designated storage space, involves authentication.

How does authentication work?

Authentication is the process of ensuring that someone or something is, in fact, who or what it claims to be.Authentication technology restricts access to systems by comparing a user's credentials to those kept on a data authentication server or in a database of authorized users.There are three types of authentication factors:A password or personal identification number (PIN) is something you know; a token, like a bank card, is something you have; and biometrics, like voice and fingerprint recognition, are something you are.Password authentication, which uses a username and password combination, is the most popular kind of authentication.One well-known example is gaining access to a user's account on a website or service provider .To protect systems and data, administrators use authentication and authorisation as two essential information security procedures.Through authentication and authorisation, the identity of a person or service is established, as well as their access rights.A certificate of authenticity is essential for products like jewelry, original works of art, and autographs.This piece of paper certifies that your product is original and not a replica or fakeYou must contact a certified authenticator in your industry in order to acquire your certificate.

         

        To learn more about authetication refer

        https://brainly.com/question/28240257

        #SPJ1

the yacht club has a web site that consists of a picture of the yacht club room along with the yacht club rules on the left. on the right is a list of upcoming events, the company logo, and then yacht club teacher training dates. sue, the web designer, needs some help with css to make sure the pages display correctly. which display value would be best to prevent the pictures from displaying when the web page loads?

Answers

The reset display value would be best to prevent the pictures from displaying when the web page loads.

It might not be possible to restart relations between the two nations. Executives at the company understood that their business needed to be reset. Something is started over or adjusted when it is reset. Since so many different factors might produce a blank screen, diagnosis can be challenging. Either the monitor is broken, or your entire computer might be. A warning such as "No Input" or "Cable Not Connected" may appear, or the screen may just be pitch black. Let's go over some troubleshooting techniques so you may resume your diligent job (or time-wasting online activities).

Make that your computer and monitor are actually turned on, even though it may seem obvious. Double-check that the wire leading to your PC is firmly plugged in at both ends after making sure the power cable for your monitor is hooked in and receiving power. Both ought to have front lights that illuminate when they receive power.

To know more about reset click on the link:

https://brainly.com/question/24373812

#SPJ4

3.1. in pam encoding, the general rule is that we need to sample at twice the bandwidth. in addition, if we use n bits for each sample, we can represent 2n loudness (amplitude) levels. what transmission speed would you need if you wanted to encode and transmit, in real time and without compression, two-channel music with a bandwidth of 22 khz and 1000 loudness levels? (10 points) note: the sampling size, in bits, must be an integer. to minimize quantizing errors, it is customary to select a sampling rate that is twice as much as the signal bandwidth. 3.2. how much disk space would you require to store 1 minutes of digital music as you calculated above? (10 points)

Answers

3.1) Transmission speed would you need if you wanted to encode and transmit, in real time and without compression is 640kbps.

3.2) 137.33MB  disk space would required to store 1 minutes of digital music.

What is transmission speed?

The rate at which data packets travel a computer network from one server to another is referred to as transmission speed.

3.1) According to the inquiry, the bandwidth is 20 kHz.

The bandwidth will be doubled using Nyquist sampling.

So, bandwidth = 2 × 20 kHz= 40 kHz.

Loudness level = 40, 000 that is log₂ (40,000)~ 16 bits for each samples transmitted.

Now compute the transmission speed using the below way

Transmission speed = 16 bits × 40 kHz

= 640 kbps

Therefore, transmission speed is 640 kbps.

3.2) 30 minutes must be saved from the given question.

Now convert the given minutes to seconds that is 30 minutes × 60 sec = 1800 sec.

The disc space required to store 30 minutes of digital music is listed below.

= transmission speed × 1800 sec.

=640kbps ×1800sec

=640×1000bps × 1800 sec (that is 1kbps=1000bps)

=1152000000bits

1152000000/8 bytes (For convert bits to bytes)

=144000000bytes

144000000/1024 KB (For convert bytes to kilobytes)

=140625KB

=140625/1024MB (For convert kilobytes to mega bytes)

=137.33MB

Therefore, disk space for storing 30 minutes of digital music is 137.33 MB.

To learn more about transmission speed

https://brainly.com/question/13013855

#SPJ4

In select circumstances, __ is permissible character on the mac operating system

Answers

In select circumstances, Options A, C, and D are permissible characters on the Mac operating system. Note that The colon ":" is the only character not permitted for Mac files.  

What is an operating system?

An operating system is a piece of system software that controls computer hardware and software resources while also providing common functions to computer programs.

An operating system (OS) is the software that handles all of the other application programs in a computer after being loaded into the machine by a boot program. The application programs interact with the operating system by requesting services via a predefined application program interface (API).

Learn more about Operating System:

brainly.com/question/1763761

#SPJ1

Full Question:

In select circumstances, _____ is a permissible character on the Mac operating system.

A. *

B. :

C. <

D. /

what is the approximate exponent range for a single-precision 32-bit binary floating-point number in ieee format. students must show the derivation of this number.

Answers

The Approximate exponent range for a single-precision 32- bit binary floating point number is 3.

What do you mean by Single- precision?

The 32-bit single-precision floating-point format can represent a wide range of numerical values and utilises less computer memory. This format, also known as FP32, is best suited for calculations that won't be adversely affected by some approximation.

A signed 32-bit integer variable has a maximum value of [tex]2^{31}[/tex]-1 = 2,147,483,647.

In IEEE format, 754 32-bit base-2 floating-point variable has a maximum value of (2 − [tex]2^{-23}[/tex]) × [tex]2^{127}[/tex] ≈ 3.4028235 × [tex]10^{38}[/tex].

Therefore, the 8-bit representation uses 3 exponent bits, while the 32-bit representation uses 8 exponent bits.

To learn more about Single precision from the given link

https://brainly.com/question/29107209

#SPJ4

you have set up a smart house in packet tracer with many iot devices including a garage door and indoor lights. what happens if you position the cursor on the garage door and select alt click?

Answers

When one has set up a smart house in packet tracer with many IoT devices including a garage door and indoor lights. When one positions the cursor on the garage door and selects alt-click, " The garage door will open"

What is IoT?

The Internet of Things, or IoT, refers to the collective network of linked objects and the technology that enables the communication between devices and the cloud, as well as between devices.

The Internet of Things refers to physical items equipped with sensors, processing power, software, and other technologies that communicate and share data with other devices and systems over the Internet or other communication networks.

IoT is used in a variety of industries, including resource optimization using sensors in the industrial industry, real-timecorp and water resource monitoring in agriculture, and IoT equipment in healthcare. Setting security guidelines is critical for controlling the negative consequences of IoT applications.

Learn more about IoT:
https://brainly.com/question/19995128
#SPJ1

Full Question:

You have set up a smart house in packet tracer with many iot devices including a garage door and indoor lights. what happens if you position the cursor on the garage door and select alt-click?

A) The specifications of the garage door will display

B) The garage door will be removed

C) The garage door will open

D) The garage door will be associated with the home gateway

after having downloaded and installed pfblockerng for your pfsense firewall, you are configuring what sites to block. how do you block lists of websites you don't want the employees to access?

Answers

The steps that you may comply with to block lists of websites you do not need the employees to access are:

Create a written limited Internet use insurance for employees.Refuse to permit the Internet to get proper access to employees who do now no longer require it.Place passwords on laptop structures that get proper access to the Internet.Install software that controls Internet usage.

One way to block users from having the capability to overtake your net internet site online is to restrict their IP addresses. Based on your dialogue board or commenting host, like WordPress or Disqus, you may be able to locate the IP address of a purchaser from the admin dashboard or server logs.

You can learn more about The steps to block list of website at https://brainly.com/question/24129952

#SPJ4

what is a simulation? a) simulation is the process of creating dashboards in excel. b) simulation is the process of complex formatting in excel. c) simulation is the imitation of the operation of a real-world process or system over time. d) simulation is the creation of macros over a period of time.

Answers

Simulation exists the imitation of the operation of a real-world process or system over time.

What is meant by Simulation?

A simulation exists an ongoing replica of how a system or process might work in the actual world. Models must be used in simulations; the model reflects the essential traits or behaviors of the chosen system or process, whilst the simulation depicts the model's development over time.

By enabling the testing of various scenarios or process improvements, a simulation is a model that replicates the operation of a current or proposed system. It provides evidence for decision-making. For a more immersive experience, this can be combined with virtual reality technology.

Therefore, the correct answer is option c) Simulation is the imitation of the operation of a real-world process or system over time.

To learn more about Simulation refer to:

https://brainly.com/question/28927678

#SPJ4

some people probably will take less time to recognize a man as a doctor than a woman as a doctor because a man more closely resembles their doctor algorithm. fixation. prototype. heuristic.

Answers

Locke, John (1632-1704)In a chapter he added to the fourth edition of his Essay Concerning Human Understanding, John Locke established the foundation for empiricist associationism and created the term "association of ideas"

Who is regarded as the first psychologist and is often referred to as the father of psychology?

In 1879, Wilhelm Wundt founded the Institute for Experimental Psychology at Leipzig University in Germany.Its opening is typically regarded as the start of modern psychology because this was the first laboratory specifically devoted to psychology.Wundt is in fact frequently referred to as the founder of psychology. The invisible gorilla study demonstrates that when we focus intensely on something, we frequently miss other, even very evident, things that are in our field of vision.All of us adore these peculiarities of human perception.Knowing that our senses can deceive us is amusing. John Locke (1632–1704) proposed a very significant theory in An Essay Concerning Human Understanding (1689) that the only knowledge that people may have is a posteriori, i.e., based upon experience, in response to the early–mid-17th century "continental rationalism." The pioneers of psychology as a science and academic field apart from philosophy are typically credited to two men who were active in the 19th century.Wilhelm Wundt and William James were their names. The "father of modern psychology," Sigmund Freud, an Austrian neurologist born in 1856, transformed the way we understand and treat mental health issues.Freud developed psychoanalysis in order to better comprehend patients' thinking by listening to them. Christopher Chabris and Daniel Simons describe how our brains deceive us into believing we see and know much more than we actually do in their new book, The Invisible Gorilla.The term "the unseen gorilla" originates from a study done ten years ago to examine selective attention. The gorilla appeared to be invisible.This experiment demonstrates two things: first, that we miss a lot of what is happening around us, and second, that we are unaware of how much we are missing.Unexpectedly, it has grown to be one of psychology's most well-known experiments.

       To learn more about  men psychology refer

        https://brainly.com/question/3951300

        #SPJ1

     

are critical regions on code sections really necessary in an smp operating system to avoid race conditions or will mutexes on data structures do the job as well?

Answers

The answer to this question is Yes, it will. SMP or Symmetric Multiprocessing means computer processing done by multiple processors that distributed a common operating system (OS) and memory. In SMP, the processors share the same input/output bus or data path.

SMP (symmetric multiprocessing) can be described as computer processing done by multiple processors that distributed a common operating system (OS) and memory. In symmetric multiprocessing, the processors distributed the same input/output (I/O) bus or data path. A single copy of the OS is in charge of all the processors.

The characteristic SMP (symmetric multiprocessing) are all the processors are treated equally i.e. all are identical. Communication: Shared memory is the mode of communication among processors.

You can learn more about SMP (symmetric multiprocessing) at https://brainly.com/question/13384575

#SPJ4

use the drop-down menus to correctly complete these sentences about how variables can be defined. are single numbers or values, which may include integers, floating-point decimals, or strings of characters. a(n) is a group of scalar or individual values that are stored in one entity. a(n) is a data type that is assigned a true or false value by a programmer. a(n) is a data type that can be assigned multiple values.

Answers

Single numbers or values are known as scalars, and they can take the form of character strings, integers, or floating-point decimals.

Single numbers or values are known as scalars, and they can take the form of character strings, integers, or floating-point decimals.

An array is a collection of scalar or distinct values that are kept in a single object.

A data type that has been given a true or false value by a programmer is known as a user-defined type.

A data type with numerous values is called an abstract data type.

scalar, a physical quantity whose magnitude serves as its sole description. Volume, density, speed, energy, mass, and time are a few examples of scalars. Other quantities, like as force and velocity, are referred to as vectors since they have both magnitude and direction.

Real numbers that are typically positive but not always characterize scalars. When a particle moves in the opposite direction from the direction in which a force is acting, as happens when frictional force slows down a moving body, for instance, the work done on the particle by the force is a negative quantity. The standard algebraic principles can be used to modify scalars.

To know more about scalars click on the link:

https://brainly.com/question/21925479

#SPJ4

When we go behind the scenes at zak bagans’ the haunted museum in las vegas, we discover a cursed object given to zak by angry joe. What is it?.

Answers

The cursed item is a duplicate of the statue of liberty's head. It is claimed to be cursed since Furious Joe, who is notorious for being angry and cursing everything.

Who is Angry Joe?

Jose Antonio Vargas is an American media critic. He is best known for inventing the Angry Joe Show, a video game and movie review channel, and for playing the character Angry Joe. Vargas launched his channel Angry Joe Show on October 4, 2008, with the video In the show, Vargas' character "Angry Joe" rates a video game on a scale of 1 to 10. Sketches and footage from his Twitch streams are frequently included in these reviews. The community praised the channel, which has over one billion views and over 3,200,000 subscribers as of April 2021.

To learn more about Angry Joe
https://brainly.com/question/28247034

#SPJ4

write a statement that calls a method named sendsignal. there are no arguments for this method.assume that sendsignal is defined in the same class that calls it.

Answers

A statement that calls a method named sends signal. There are no arguments for this method. Assuming the send signal is defined in the same class that calls it is sendsignal();.

What is coding?

We connect with computers through coding, often known as computer programming. Coding is similar to writing a set of instructions because it instructs a machine on what to do.

You can instruct computers what to do or how to behave much more quickly by learning to write code.

Therefore, assuming send signal is declared in the same class as the caller, the statement is sendsignal();.

To learn more about coding, refer to the link:

https://brainly.com/question/28903791

#SPJ1

In cyberspace, bret attempts to steal consumers' credit card numbers stored in the networked computers of cinco corporation, a financial payments service provider. The quantity of data that can be stolen is limited by

Answers

The quantity of data that can be stolen is limited by the same physical limits that exist in the real world.

Quantitative data is defined as data that can be measured in numerical values. The two main kinds of quantitative data are discrete data and continuous data. Height in feet, age in years, and weight in pounds are examples of quantitative data. Qualitative data can be described as descriptive data that is not expressed numerically. Data quality means a measure of the condition of data based on factors such as accuracy, completeness, consistency, reliability and whether it's up to date.

You can learn more about the quantitative data at https://brainly.com/question/96076

#SPJ4

to determine what resources or shares are on a network, security testers must use footprinting and what other procedure to determine what services a host computer offers?

Answers

A security tester would use port scanning to determine what services a host computer offers.

What is host?
A computer or other device linked to a computer network is referred to as a network host. A host may serve as a server, providing users and other hosts on the network with information resources, services, or applications. Each host is given a minimum of one network address.

An IP host is a computer that participates in networks that uses protocol suite. Internet hosts are specifically machines connected to the Internet. The network interfaces of internet hosts as well as other IP hosts are given one or more IP addresses. Administrators can manually specify the addresses, and had the Dynamic Host Configuration Protocol (DHCP) automatically configure them at startup, or use stateless address autoconfiguration techniques.

To learn more about host
https://brainly.com/question/27075748
#SPJ4

Other Questions
1. As part of a summer internship, five people -- Cindy, Damaris, Eugenio, Fareed, and Guzal -- are to be assigned to floors 1-5 in a dormitory. Each person will occupy his or her own entire floor and no other people will be in the dormitory. The assignment of people to floors must follow the following rules:Eugenio lives immediately above Damaris.Cindy is not on the first floor.Fareed does not live immediately below Damaris.Guzal lives either on the first floor or the fifth floor.Which one of the five people could be assigned to live on any of the five floors in the dormitory? A. Cindy B. Damaris C. Eugenio D. Fareed E. Guzal2. If Fareed lives neither directly above nor directly below Cindy in the dormitory, which one of the following people must live on the fourth floor? A. Cindy B. Damaris C. Eugenio D. Fareed E. Guzal It is not possible to derive an equation of motion for uniform acceleration without a time variable. Is this true or false? a manager who takes credit for the work his/her employees perform without giving credit to the person(s) who actually did the work is acting in a(n) manner. 1. Under what circumstances were abortion allowed in Texas 1969?2. What did the Texas District court judges rule in wade legal case3. What constitutional arguments did coffee and weddington use? The diagram shows one period of the Periodic Table. Li ,Be ,B , C,N,O,F,Ne .Which two elements form acidic oxides? A -carbon and lithium B -carbon and neon C- carbon and nitrogen D-nitrogen and neon With the exception of column one, all amounts are in dollars. What is starting principal of the loan? Give your answer in dollars to the nearest dollar. Do not include commas or the dollar sign in your answer. which function has an inverse that is also a function horizontal line test Esmeralda rents a car from a company that rents by the hour. she has to pay an initial fee of $50, and they charge her $8 per hour. she has $150 available to spend on car rental. what is the greatest number of hours for which she can rent the car?A. 18 hoursB. 12.5 hoursC. 12 hoursD. 13 hours If you were a police officer and you were called to a home to assist a family with mental illness. When you arrive the family states their loved one has recently begun showing signs of mental illness. They a lost and are seeking advice what referrals would you make? Is there a plan they could put in place? 92=29 what is the property of this problem? joan has a cold and has lost her sense of taste. joan can't taste because taste is influenced by smell. this is an example of how a combination of taste and smell gives us the perception of question 4 options: 1) flavor. 2) sensation. 3) taste. 4) smell. How much time will it take for these two vehicles to meet?34 miles, 55mph, 30mph In the excerpt from the odyssey, part 1, why does odysseus blind the cyclops rather than kill him in his sleep?. The perimeter of the rectangle is 19.4 centimeters.What is the width in centimeters,of the rectangle Length is 6cm overbooking flights is a common practice of most airlines. a particular airline, believing that 4% of passengers fail to show for flights, overbooks (sells more tickets than there are seats). suppose that for a particular flight involving a jumbo-jet with 267 seats, the airline sells 278 tickets. question 1. what is the expected number of ticket holders that will fail to show for the flight? (use 2 decimal place in your answer.) question 2. what is the probability that the airline will not have enough seats for all the ticket holders who show for the flight? (use 3 decimal places.) ______ is the change in total utility that results from the consumption of one more unit of a product. in his last order, the bakery manager at bread of the earth bakery purchased a different brand of whole wheat flour from his regular supplier, best bakery supplies. this is an example of a Describe the end behavior of the graph of the following polynomial function: Help please and thank you The sum of three consecutive even integers is 20 less than four times thefirst. What are the integers?