Answer:
import math
h = 19
total = 0
for i in range(1, h):
if math.sqrt(i) - int(math.sqrt(i)) == 0:
total += i
print(total)
Explanation:
*The code is in Python.
Initialize the h and total
Create a for loop that iterates from 1 to h. Inside the loop, check if the difference between the square root of a number and the integer part of the square root of that number is equal to 0 (This means the number is a perfect square. For example, if the number is 3, the square root is 1.73 and the integer part of this is 1, the difference is 0.73, not 0. However, if the number is 4, the square root is 2.0 and the integer part is 2, the difference is 0), add that number to the total
When the loop is done, print the total.
C++ Proagram
Write a loop that sets each array element to the sum of itself and the
next element, except for the last element which stays the same.
Be careful not to index beyond the last element. Ex:
Initial scores: 10, 20, 30, 40
Scores after the loop: 30, 50, 70, 40
The first element is 30 or 10 + 20, the second element is 50
or 20 + 30, and the third element is 70 or 30 + 40. The last element
remains the same.
Follow this code
#include
using namespace std;
int main() {
const int SCORES_SIZE = 4;
int bonusScores[SCORES_SIZE];
int i = 0;
bonusScores[0] = 10;
bonusScores[1] = 20;
bonusScores[2] = 30;
bonusScores[3] = 40;
/* Your solution goes here */
for (i = 0; i < SCORES_SIZE; ++i) {
cout << bonusScores[i] << " ";
}
cout << endl;
return 0;
}
Answer:
Replace /* Your solution goes here */
with
for (i = 0; i < SCORES_SIZE-1; ++i) {
bonusScores[i] += bonusScores[i+1];
}
Explanation:
In C++, the index of an array starts from 0 and ends at 1 less than the size of the array;
Using the analysis in the question, the above code (in the answer section) iterates from the index element (element at 0) to the second to the last element (element at size - 2)';
This is to ensure that the element of the array only adds itself and the next element;except for the last index which remains unchanged
The following operation is done in each iteration.
When i = 0,
bonusScores[0] = bonusScores[0] + bonusScores[0+1];
bonusScores[0] = bonusScores[0] + bonusScores[1];
bonusScores[0] = 10 + 20
bonusScores[0] = 30
When i = 1,
bonusScores[1] = bonusScores[1] + bonusScores[1+1];
bonusScores[1] = bonusScores[1] + bonusScores[2];
bonusScores[1] = 20 + 30
bonusScores[1] = 50
When i = 2,
bonusScores[2] = bonusScores[2] + bonusScores[2+1];
bonusScores[2] = bonusScores[2] + bonusScores[3];
bonusScores[2] = 30 + 40
bonusScores[2] = 70
This is where the iteration stops
The weekly pay for an employee is determined based on the following parameters:
Standard work hours by week is 40 hours.
Hourly pay rate is $10.00 per hour
Overtime hours are paid at time and a half the rate (that is $15.00 per hour).
Design and implement a program (name it WeeklyPay) that read number of hours worked per week (as integer value), prints out the entered hours, and then prints out the gross earning. Organized your output following these sample runs.
Sample run 1:
You entered 20 hours.
Gross earning is $200.0
Sample run 2:
You entered 40 hours.
Gross earning is $400.0
Sample run 3:
You entered 50 hours.
Gross earning is $550.0
Write a method that finds the cheapest name of apples, and returns back a String stating what the apple name is and how much it costs. The method should take two arrays as two parameters (you do not need to make a two dimensional array out of these arrays).
The question is incomplete! Complete question along with answer and step by step explanation is provided below.
Question:
Two arrays are given:
String apples[] = {"HoneyCrisp", "DeliciousRed", "Gala", "McIntosh", "GrannySmith"};
double prices[] = {4.50, 3.10, 2.45, 1.50, 1.20};
Write a method that finds the cheapest name of apples, and returns back a String stating what the apple name is and how much it costs. The method should take two arrays as two parameters (you do not need to make a two dimensional array out of these arrays).
Answer:
The complete java code along with the output is prrovided below.
Java Code:
public class ApplesCheap
{
public static String Cheapest(String apples[], double prices[])
{
int temp = 0;
for (int i = 0; i < apples.length; i++)
{
if (prices[i] < prices[temp])
{
temp = i;
}
}
return apples[temp];
}
public static void main(String[] args)
{
// define the array of apple names and their prices
String apples[] = {"HoneyCrisp", "DeliciousRed", "Gala", "McIntosh", "GrannySmith"};
double prices[] = {4.50, 3.10, 2.45, 1.50, 1.20};
// print the cheapest apple by calling the function Cheapest
System.out.println("The cheapest apple is: " + Cheapest(apples, prices));
}
}
Output:
The cheapest apple is: GrannySmith
what are the point achieved on brainly used for i wants answers
Answer:
They basiclly are used like a level up in other words they cause you to level up.
Explanation:
Want free points mark as brainiest
A security analyst is investigating a call from a user regarding one of the websites receiving a 503: Service unavailable error. The analyst runs a netstat -an command to discover if the webserver is up and listening. The analyst receives the following output:
TCP 10.1.5.2:80 192.168.2.112:60973 TIME_WAIT
TCP 10.1.5.2:80 192.168.2.112:60974 TIME_WAIT
TCP 10.1.5.2:80 192.168.2.112:60975 TIME_WAIT
TCP 10.1.5.2:80 192.168.2.112:60976 TIME_WAIT
TCP 10.1.5.2:80 192.168.2.112:60977 TIME_WAIT
TCP 10.1.5.2:80 192.168.2.112:60978 TIME_WAIT
Which of the following types of attack is the analyst seeing?
A. Buffer overflow
B. Domain hijacking
C. Denial of service
D. Arp poisoning
Answer:
C. Denial of Service
Explanation:
Denial of service error occurs when the legitimate users are unable to access the system. They are then unable to access the information contained in the system. This can also be a cyber attack on the system in which user are stopped from accessing their personal and important information and then ransom is claimed to retrieve the attack. In such case system resources and information are temporarily unavailable to the users which disrupts the services.
Which feature should a system administrator use to meet this requirement?
Sales management at universal Containers needs to display the information listed below on each account record- Amount of all closed won opportunities- Amount of all open opportunities.
A. Roll-up summary fields
B. Calculated columns in the related list
C. Workflow rules with fields updates
D. Cross-object formula fields
Answer:
The correct answer is option (A) Roll-up summary fields
Explanation:
Solution
The feature the administrator needs to use to meet this requirement is by applying Roll-up summary fields.
A roll-up summary field :A roll-up summary field computes or determine values from associated records, for example those in a linked list. one can develop a roll-up summary field to d a value in a master record by building the values of fields in a detail record.
2.3 Write a program to prompt the user for hours and rate per hour using input to compute gross pay. Use 35 hours and a rate of 2.75 per hour to test the program (the pay should be 96.25). You should use input to read a string and float() to convert the string to a number. Do not worry about error checking or bad user data.
Answer:
The programming language is not stated; However this program will be written using Python programming language
Comments are not used; See Explanation Section for line by line explanation of the code
hours = float(input("Hours: "))
rate = float(input("Rate per hour: "))
pay = hours * rate
print(pay)
Explanation:
The first line of the code prompts the user for hour.
The input is converted from string to float
hours = float(input("Hours: "))
The next line prompts the user for hour.
It also converts input from string to float
rate = float(input("Rate per hour: "))
Pay is calculated by multiplying hours by rate; This is implemented using the next line
pay = hours * rate
The calculated value of pay is displayed using the next line
print(pay)
When the program is tested by the given parameters in the question
hours = 35
rate = 2.75
The printed value of pay is 96.25
3.26 LAB: Leap Year A year in the modern Gregorian Calendar consists of 365 days. In reality, the earth takes longer to rotate around the sun. To account for the difference in time, every 4 years, a leap year takes place. A leap year is when a year has 366 days: An extra day, February 29th. The requirements for a given year to be a leap year are: 1) The year must be divisible by 4 2) If the year is a century year (1700, 1800, etc.), the year must be evenly divisible by 400 Some example leap years are 1600, 1712, and 2016. Write a program that takes in a year and determines whether that year is a leap year. Ex: If the input is: 1712 the output is: 1712 - leap year
Answer:
year = int(input("Enter a year: "))
if (year % 4) == 0:
if (year % 100) == 0:
if (year % 400) == 0:
print(str(year) + " - leap year")
else:
print(str(year) +" - not a leap year")
else:
print(str(year) + " - leap year")
else:
print(str(year) + "- not a leap year")
Explanation:
*The code is in Python.
Ask the user to enter a year
Check if the year mod 4 is 0 or not. If it is not 0, then the year is not a leap year. If it is 0 and if the year mod 100 is not 0, then the year is a leap year. If the year mod 100 is 0, also check if the year mod 400 is 0 or not. If it is 0, then the year is a leap year. Otherwise, the year is not a leap year.
C - Language Write three statements to print the first three elements of array runTimes. Follow each statement with a newline. Ex: If runTimes[5] = {800, 775, 790, 805, 808}, print: 800 775 790#include int main(void) {const int NUM_ELEMENTS = 5;int runTimes[NUM_ELEMENTS];int i;for (i = 0; i < NUM_ELEMENTS; ++i) {scanf("%d", &(runTimes[i])); }/* Your solution goes here */
return 0;}
Answer:
Replace
/* Your solution goes here */
with
printf("%d",runTimes[0]);
printf("%d",runTimes[1]);
printf("%d",runTimes[2]);
Explanation:
The question requires that the first three elements of array runTimes be printed;
The first three elements are the elements at the first, second and third positions.
It should be noted the index of an array starts at 0;
So, the first element has 0 as its indexThe second has 1 as its indexThe third has 2 as its indexSo, to make reference to the first three elements, we make use of
runTimes[0], runTimes[1] and runTimes[2] respectively
Having mention the above;
It should also be noted that array is of type integers;
So, to display integers in C, we make use of "%d";
Hence, the print statement for the first three elements is
printf("%d",runTimes[0]);
printf("%d",runTimes[1]);
printf("%d",runTimes[2]);
What feature in the Windows file system allows users to see only files and folders in a File Explorer window or in a list of files from the dir command to which they have been given at least read permission?
Answer:
Access based enumeration
Explanation:
The access based enumeration is the feature which helps the file system to allow users for seeing the files and folders for which they have read access from the direct command.
Access based enumeration: This feature displays or shows only the folders and files that a user has permissions for.
If a user do not have permissions (Read) for a folder,Windows will then hide the folder from the user's view.
This feature only function when viewing files and folders are in a shared folder. it is not active when viewing folders and files in a local system.
2 Consider the sequence of keys (5,16,22,45,2,10,18,30,50,12,1). Draw the result of inserting entries with these keys (in the given order) into a. An initially empty (2,4) tree. b. An initially empty red-black tree.
Answer:
A) (2,4) tree
Insertion of key 45 makes key unbalanced and this is because it violates the 2,4 tree so we split the nodeinsertion of key 10 makes key unbalanced and this is because it violates the 2,4 tree so we split the nodeB) Red-black tree
Explanation:
The diagrams for the solutions are attached showing the results of inserting entries
In order to place something into a container you must:_______.
a. double-click on the container and type a command.
b. drag the container onto the materials or instruments shelf.
c. double-click on the material or the instrument.
d. click on the material or instrument and drag it onto the container.
Answer:
Option (d) is the correct answer to this question.
Explanation:
The container is a class, data structure, or abstract data type, the instances of which are compilations of many other particles. In several other words, they store objects in an ordered manner that meets strict rules about access. The reviewing information depends on the number of objects (elements) contained therein. To put any material or instrument in the container, it would be easy to select the material or instrument by clicking them and then dragging them onto the container. The other option won't be able to perform the required task.Other options are incorrect because they are not related to the given scenario.
1. Write a program that asks the user to enter a string. The program should then print the following: (a) The total number of characters in the string (b) The string repeated 10 times (c) The first character of the string (remember that string indices start at 0) (d) The first three characters of the string (e) The last three characters of the string (f) The string backwards (g) The seventh character of the string if the string is long enough and a message otherwise (h) The string with its first and last characters removed (i) The string in all caps (j) The string with every a replaced with an e
Answer:
s = input("Enter a string: ")
print(len(s))
print(s*10)
print(s[0])
print(s[:3])
print(s[len(s)-3:])
print(s[::-1])
if len(s) >= 7:
print(s[6])
else:
print("The string is not long enough")
print(s[1:len(s)-1])
print(s.upper())
print(s.replace("a", "e"))
Explanation:
*The code is in Python.
Ask the user to enter a string
Use len method to get the total number of characters
Use "*" to repeat 10 times
Use index, 0, to get first character
Use slicing to get first three characters
Use slicing to get last three characters
Use slicing to get it in backwards
Check if the length is greater than or equal to 7. If it is, use index, 6. Otherwise, print a message.
Use slicing to remove first and last characters
Use upper method to get it in all caps
Use replace method to replace the "a" with the "e"
The program that ask the user to enter a string and print the (a) The total number of characters in the string (b) The string repeated 10 times (c) The first character of the string (remember that string indices start at 0) (d) The first three characters of the string (e) The last three characters of the string (f) The string backwards (g) The seventh character of the string if the string is long enough and a message otherwise (h) The string with its first and last characters removed (i) The string in all caps (j) The string with every a replaced with an e
is as follows:
x = str(input("please enter a string: "))
print(len(x))
print(x*10)
print(x[0])
print(x[0:3])
print(x[-3:])
print(x[::-1])
if len(x) >= 7:
print(x[6])
else:
print("The string is not up to length 7")
print(x[1:-1])
print(x.upper())
print(x.replace('a', 'e'))
The first line ask the user for a string input.
Print length of the user input
Print the user input ten times.
Print the first value of the user input
print the first three string
Print the last three string
Print the reverse of the string
if the length of the user input is greater than or equals to zero, then print the 7th term of the user input.
else it will print that the string length is not up to seven.
Remove the first and the last term of the user input and print the remaining user input.
print the uppercase of the user input.
Replace a with e in the user input.
learn more on python here: https://brainly.com/question/20202506?referrer=searchResults
Write a loop that reads strings from standard input where the string is either "land", "air", or "water". The loop terminates when "xxxxx" (five x characters) is read in. Other strings are ignored. After the loop, your code should print out 3 lines: the first consisting of the string "land:" followed by the number of "land" strings read in, the second consisting of the string "air:" followed by the number of "air" strings read in, and the third consisting of the string "water:" followed by the number of "water" strings read in. Each of these should be printed on a separate line. Use the up or down arrow keys to change the height.
Answer:
count_land = count_air = count_water = 0
while True:
s = input("Enter a string: ")
if s == "xxxxx":
break
else:
if s == "land":
count_land += 1
elif s == "air":
count_air += 1
elif s == "water":
count_water += 1
print("land: " + str(count_land))
print("air: " + str(count_air))
print("water: " + str(count_water))
Explanation:
*The code is in Python
Initialize the variables
Create a while loop that iterates until a specific condition is met. Inside the loop, ask the user to enter the string. If it is "xxxxx", stop the loop. Otherwise, check if it is "land", "air", or "water". If it is one of the given strings, increment its counter by 1
When the loop is done, print the number of strings entered in the required format
A software company assesses its developers more on their client support skills rather than their development skills. Which of the following terms would best describe the software company's performance management process?
A. Deficient
B. Contaminated
C. Unreliable
D. Inconsistent
E. Unspecified
Answer:
B. Contaminated
Explanation:
Based on the information provided regarding the scenario it seems that the software company's performance management process can be best described as contaminated. This occurs when the criterion of measurement for the employee performance includes aspects of performance that are not part of the job. Which in this case the main role of the employees is to apply their development skills in order to improve the software and not focus on their client support skills, but instead the "client support skills" is what the company is basing their performance review on.
NAT ________. allows a firm to have more internal IP addresses provides some security both allows a firm to have more internal IP addresses and provides some security neither allows a firm to have more internal IP addresses nor provides some security
Answer:
NAT provides some security but allows a firm to have more internal IP addresses
Explanation:
NAT ( network address translation) this is a process where a network system usually a firewall assigns a public IP address to an internal computer used in a private network. it limits the number of public IP address a company operating a private network for its computer can have and this is very economical also limits the exposure of the company's private network of computers. the computers can access information within the private network using multiple IP addresses but it is safer to access external information using one public IP address
Going to Grad School! In the College of Computing and Software Engineering, we have an option for students to "FastTrack" their way into their master’s degree directly from undergraduate. If you have a 3.5 GPA and graduate from one of our majors, you can continue on and get your masters without having to do a lot of the paperwork. For simplification, we have four undergraduate degrees: CS, SWE, IT, and CGDD – and three masters programs: MSCS, MSSWE and MSIT. For this assignment, you’re going to ask the user a few questions and determine if they qualify for the FastTrack option.
Sample Output:
Major: Frogmongering
GPA: 3.9
Great GPA, but apply using the regular application.
Sample Output #2:
Major: SWE
GPA: 3.3
Correct major, but GPA needs to be higher.
Sample Output #3:
Major: IT
GPA: 3.5
You can FastTrack.
Sample Output #4:
Major: Study Studies
GPA: 0.4
Talk to one of our advisors about whether grad school is for you.
Answer:
The programming language is not stated. However, I'll answer this question using Python programming language.
The program uses no comments; find explanation below
i = 0
while not (i == 4):
print("Sample Run: #"+str(i+1))
Major = input("Major: ")
GPA = float(input("GPA: "))
if not (Major.upper() == "SWE" or Major.upper() == "IT" or Major.upper() == "CGDD" or Major.upper() == "CS"):
if GPA >= 3.50:
print("Great GPA, but apply using the regular application")
else:
print("Talk to one of our advisors about whether grad school is for you")
if (Major.upper() == "SWE" or Major.upper() == "IT" or Major.upper() == "CGDD" or Major.upper() == "CS"):
if GPA >= 3.50:
print("You can FastTrack.")
else:
print("Correct major, but GPA needs to be higher.")
i = i + 1
Explanation:
Line 1 of the program initializes the sample run to 0
Line 2 checks if sample run is up to 4;
If yes, the program stops execution else, it's continues execution on the next line
Line 3 displays the current sample run
Line 4 and 5 prompts user for Major and GPA respectively
Line 6 to 10 checks is major is not one of CS, SWE, IT, and CGDD.
If major is not one of those 4 and GPA is at least 3.5, the system displays "Great GPA, but apply using the regular application"
If major is not one of those 4 and GPA is less than 3.5, the system displays "Talk to one of our advisors about whether grad school is for you"
Line 11 to 15 checks is major is one of CS, SWE, IT, and CGDD.
If major is one of those 4 and GPA is at least 3.5, the system displays "You can Fastrack"
If major is one of those 4 and GPA is less than 3.5, the system displays "Correct major, but GPA needs to be higher."
The last line of the program iterates to the next sample run
The term digital divide refers to "the gap between people with effective access to digital and information technology and those with very limited or no access at all." Could you imagine a life without computers and readily-available internet access? The influence of the Internet can be seen as many of our churches now spread the word using high-tech media productions and sophisticated video presentations. Discuss some of factors that influence unequal Internet access for some members of society.
Answer:
Factors Influencing Unequal Internet Access:
1. Age: Children under 10 and adults over 60 do not enjoy the same level of access to the internet. For children 10, their parents restrict their use of the internet. Most adults over 60 lack the interest and competence to utilize access to the internet.
2. Sex: Men usually enjoy better access to the internet than women. While men explore many sources of internet information, women usually restrict themselves to social media, which is usually their favorites, giving the high-level chatting that is involved in social media.
3. Nationality: Access to the internet is not available equally in all the nations of the world. In communist China, there are government-mandated restrictions placed on citizens. In some sub-Saharan African countries, access to the internet is a luxury that many cannot afford and it is not easily available due to lack of basic internet infrastructure.
4. Education is another factor that influences access to the internet. The level of education dictates whether somebody has access or not. Many illiterate men and women who do not value the internet. What you do not value, you do not use. What you do not use is not accessible to you.
5. Income: This is another important factor that influences access to the internet. In some countries, the availability of high-speed network remains unaffordable to the majority of the population. They only have telephone networks to use their internet access, due to the high cost of high-speed digital satellite-based networks. Many people can only access the internet on public WiFis.
Explanation:
According to wikipedia.com, "Internet access is the ability of individuals and organizations to connect to the Internet using computer terminals, computers, and other devices; and to access services such as email and the World Wide Web."
discuss 5 ways in which computer has influence typography and lettering
Answer:
Five ways in which computer has affected typography and lettering are discussed below;
1. Introduction of unconventional typeface: Computers have introduced unconventional typeface texts to typography and lettering by offering a wide range of typeface and fonts that the user can choose from, depending on the type of typing job at hand. Some of these fonts are suitable for aesthetic purpose, and some have official rating. These fonts and type faces range from the Times New Roman, Gothic, Serif, etc.
2. Size and legibility: Computers now allows different sizes of character sizes in typography. These sizes can be chosen easily to suite the degree of readability of the intended message.
3. Specialization: Computer has opened up typography and lettering to lay users and people not specialized in typography. Prior to the digital age, typing jobs were limited to specialist typists who have been trained in typography. Nowadays, anybody with access to a computer can easily learn solo, and be employed as a typist.
4. General layout: The arrangement and layout of text and lettering in typing can now be easily manipulated with a computer, by just selecting from a wide choice of arrangement available on the typing platform.
5. Minimization of errors: The use of computer in typography and lettering has greatly reduced the incidence and occurrence of error in typing. Most computers have built in prediction tools, and auto-correcting software that reduces and sometimes prevent grammatical and spelling errors.
Match the following terms and definitions.
1. Programming code used to connect stand-alone systems____________
2. Transforming business processes to improve efficiency __________
3. Corresponds to the purchasing cycle________
4. Corresponds to the sales cycle ____________
5. Consists of front-end client computers and the user interface___________
6. Software programs on a router that monitor network traffic___________
7. Comprised of a centralized relational database and an RDBMS__________
8. Consists of servers and application software_____________
9. When an enterprise system uses layers of IT components: enterprise database, application, and client computers__________.
Answer:
1. Spaghetti code.
2. Business process management.
3. Procure-to-pay
4. Order-to-cash
5. User tier
6. Firewall
7. Database tier
8.Application tier
9. Three-tier architecture
Explanation:
1.Programming code used to connect stand-alone systems is spaghetti code.
2. Transforming business processes to improve efficiency business process management.
3. Corresponds to the purchasing cycle is called procure to pay.
4. Corresponds to the sales cycle is order-to-cash
5. Consists of front-end client computers and the user interface is user tier.
6. Software programs on a router that monitor network traffic is firewall
7. Comprised of a centralized relational database and an RDBMS is database tier.
8. Consists of servers and application software is application tier.
9. When an enterprise system uses layers of IT components: enterprise database, application, and client computers is three tier architecture.
When Designing Application Components, which characteristics of use cases are helpful to define component boundaries? (choose all that apply) a. Must be installed concurrently b. Sharing common data c. Similarities in actors d. Require the same security level e. Triggered by same events f. Have the same pre-conditions
Answer:
b. Sharing common data
c. Similarities in actors
e. Triggered by same events
Explanation:
When Designing Application Components the characteristics of use cases that are helpful to define component boundaries are sharing common data between the users. The second one is similarities in actors. Actors are the users which interact with the application. There should be similarities in the actors that are to be used the application. Last one is triggered by same events. Triggers are basically the events which cause the use case to begin.
A list based on a simple array (standard array implementation) is preferable to a dynamically allocated list for the following reasons.
A. Insertions and deletions require less work.
B. You are guaranteed a space to insert because it is already allocated.
C. You can take advantage of random-access typically.
D You can mix and match the types of the items on the list. E. (b) and (c).
F. All of the above.
Answer:
A. Insertions and deletions require less work.
C. You can take advantage of random access typically
D. You can mix and match the types of the items on the list.
Explanation:
Standard array implementation is a process in which number of items are of same type and index is restricted at a certain range. This is preferable to dynamic allocated list because it requires less work in insertion and deletions. A dynamically allocated array does not use the fixed array size declaration.
You’ve just finished training an ensemble tree method for spam classification, and it is getting abnormally bad performance on your validation set, but good performance on your training set. Your implementation has no bugs. Define various reasons that could be causing the problem?
Answer:
The various reasons that could be a major problem for the implementation are it involves a large number of parameters also, having a noisy data
Explanation:
Solution
The various reasons that could be causing the problem is given as follows :
1. A wide number of parameters :
In the ensemble tree method, the number of parameters which are needed to be trained is very large in numbers. When the training is performed in this tree, then the model files the data too well. When the model has tested against the new data point form the validation set, then this causes a large error because the model is trained completely according to the training data.2. Noisy Data:
The data used to train the model is taken from the real world . The real world's data set is often noisy i.e. contains the missing filed or the wrong values. When the tree is trained on this noisy data, then it sets its parameters according to the training data. As regards to testing the model by applying the validate set, the model gives a large error of high in accuracy y.
Write a converter program for temperatures. This program should prompt the user for a temperature in Celsius. It should then convert the temperature to Fahrenheit and display it to the screen. Finally, it should convert the Fahrenheit temperature to Kelvin and display that to the screen.
Answer:
c = float(input("Enter the temperature in Celsius: "))
f = c * 1.8 + 32
print("The temperature in Fahrenheit: " + str(f))
k = (f - 32) / 1.8 + 273.15
print("The temperature in Kelvin: " + str(k))
Explanation:
*The code is in Python.
Ask the user to enter the temperature in Celsius
Convert the Celsius to Fahrenheit using the conversion formula and print it
Convert the Fahrenheit to Kelvin using the conversion formula and print it
Write a program that prompts the user to enter a hex digit and displays its corresponding binary number. Sample Run 1 Enter a hex digit: B The binary value is 1011 Sample Run 2 Enter a hex digit: b The binary value is 1011 Sample Run 3 Enter a hex digit: T Invalid input
Answer:
I am writing a JAVA program. Let me know if you want the program in some other programming language.
import java.util.Scanner; //to take input from user
public class HexaToBinary{ //class to convert hexa to binary number
public static void main(String[] args) {// start of main() function body
//creates instance of Scanner class
Scanner input = new Scanner(System.in);
//prompts user to enter a hexadecimal number
System.out.print("Enter a hex digit: ");
char hexadecimal = input.nextLine().charAt(0);//reads input from user
String binary = ""; //variable to hold corresponding binary number
/*switch statement is used to convert hexadecimal input to corresponding binary number. the switch statement has cases. Each case has a hexa decimal number. The user's input is stored in hexadecimal variable which is given as a choice parameter to switch statement. If the input matches any of the cases in switch statement, the body of that case is executed which prints the corresponding binary number otherwise invalid input message is displayed in output */
switch (hexadecimal) {
case '0': binary = "0"; break;
case '1': binary = "1"; break;
case '2': binary = "10"; break;
case '3': binary = "11"; break;
case '4': binary = "100"; break;
case '5': binary = "101"; break;
case '6': binary = "110"; break;
case '7': binary = "111"; break;
case '8': binary = "1000"; break;
case '9': binary = "1001"; break;
//here both the upper and lower case letters are defined in case, so the user //can enter a hexadecimal in lowercase or uppercase
case 'a':
case 'A': binary = "1010"; break;
case 'b':
case 'B':binary = "1011"; break;
case 'c':
case 'C': binary = "1100"; break;
case 'd':
case 'D': binary = "1101"; break;
case 'e':
case 'E': binary = "1110"; break;
case 'f':
case 'F': binary = "1111"; break;
default: System.out.println(hexadecimal + " is invalid input"); System.exit(1); } //displays this message if user enters invalid input e.g T
System.out.println("The binary value is " + binary); } }
//prints the corresponding binary number of the hexadecimal input
Explanation:
The program is well explained in the comments mentioned with each line of the program. Lets take an example of user input.
For example if user enters b in input then the cases of the switch statement are searched for by the program to select the corresponding binary number of the input hexadecimal. So b is present in case 'b': case 'B':binary = "1011"; break; So the value of binary is 1011 and this value is displayed on the screen with this statement System.out.println("The binary value is " + binary); So the output is: The binary value is 1011
The screenshot of output and program are attached.
Give an example of a function from N to N that is:______.
a) one-to-one but not onto
b) onto but not one-to-one
c) neither one-to-one nor onto
Answer:
Let f be a function
a) f(n) = n²
b) f(n) = n/2
c) f(n) = 0
Explanation:
a) f(n) = n²
This function is one-to-one function because the square of two different or distinct natural numbers cannot be equal.
Let a and b are two elements both belong to N i.e. a ∈ N and b ∈ N. Then:
f(a) = f(b) ⇒ a² = b² ⇒ a = b
The function f(n)= n² is not an onto function because not every natural number is a square of a natural number. This means that there is no other natural number that can be squared to result in that natural number. For example 2 is a natural numbers but not a perfect square and also 24 is a natural number but not a perfect square.
b) f(n) = n/2
The above function example is an onto function because every natural number, lets say n is a natural number that belongs to N, is the image of 2n. For example:
f(2n) = [2n/2] = n
The above function is not one-to-one function because there are certain different natural numbers that have the same value or image. For example:
When the value of n=1, then
n/2 = [1/2] = [0.5] = 1
When the value of n=2 then
n/2 = [2/2] = [1] = 1
c) f(n) = 0
The above function is neither one-to-one nor onto. In order to depict that a function is not one-to-one there should be two elements in N having same image and the above example is not one to one because every integer has the same image. The above function example is also not an onto function because every positive integer is not an image of any natural number.
Imagine you are building an ATM system; list at least 6 application domains for the system. That is, in which context is the system going to be used? How is it going to be used? Who are all the users of the ATM?
Answer:
Six applications domains for the ATM was listed below in the explanation section below
The main aim of the ATM is cash collection, user information update.
The users of the ATM are people, staff, customers/clients.
Explanation:
Solution
Given that
The Application domain for the system is given below:
The System is going to verify the details enteredUpdate the database on the server sideCalculation of cash AvailableCount the Cash and Identify the note in the MachineTroubleshooting of the ATM machine (system)Backup of the system and Operating system /Software installed on the ATM machine.The ATM is going to be used for the purpose of collecting cash, updating user information, cashing cheques etc and is used by all the Bank customers.
Who are the users of ATM:
Customers at the bankIndividuals /peopleStaff of the BankDefine the following terms, as they pertain to website planning: goals, objectives, target audience, and purpose statement. Explain the influence on society of inexpensive Internet access and access to the web.
Answer:
Please see explanations below
Explanation:
Goals; These are the outcomes that a website planning intends to achieve within a stipulated time, i.e weeks, months or years.
Objectives; These are the methods taken, through which the website planning goals will be achieved.
Target audience; These are the specific group of people that are intended to be reached for the website planning. The targeted audience could be identified based on age range, academic background or qualification, gender or marital status.
Purpose statement; This refers to an explanation of the website's planning goals, which is formally written and also shows the main objectives identified with the goals.
The Influence on society of inexpensive internet access and access to the web are numerous; yet it provide information that are not readily accessible by individuals before using the internet. For information to be accessed through internet access by all and sundry, it must come at little or no cost, which is what is currently obtainable in most part of the world.
Moreover, inexpensive access to the internet and web also improve quality of knowledge in addition to the existing ones through research, which is mostly done through the internet.
However, there are also downside of inexpensive access to the internet and web which now depends on whichever individuals want. For instance not every information on the website are true or correct. The right thing to be done is to further search and compare several ones until the right one is found.
The fill command try’s to fill or generate content for cells based on a ________.
Answer: Ctrl + R
Explanation:
Ctrl+ R is the shortcut for filling right, you will first highlight cells.
Given input of a number, display that number of spaces followed by an asterisk. (1 point) Write your solution within the existing supplied function called problem2() and run the Zybooks test for it before continuing on to the next problem. Hint: Use the setw() command to set the field width. Alternatively, you could again use a loop.
Answer:
Following is the program in C++ language
#include <iostream> // header file
#include <iomanip> // header file
using namespace std; // namespace std;
void problem2() // function definition
{
int num ; // variable declaration
cout << "Enter the Number: ";
cin >> num; // Read the input by user
cout << "Resulatant is:";
for(int k = 0; k <num; k++) // iterarting the loop
{
std::cout << std::setw(num); // set width
std::cout <<"*"; // print *
}
}
int main() // main function
{
problem2();// function calling
return 0;
}
Output:
Enter the Number: 3
Resulatant is: * * *
Explanation:
Following is the description of program
Create a function problem2().Declared a variable "num" of "int" type .Read the input in "num" by the user .Iterating the for loop and set the width by using setw() and print the asterisk.In the main function calling the problem2().