Answer:
Here is the Python program:
d = {5:3, 4:1, 12:2}
val_of_max = d[max(d.keys())]
print(val_of_max)
Explanation:
The program works as follows:
So we have a dictionary named d which is not empty and has the following key-value pairs:
5:3
4:1
12:2
where 5 , 4 and 12 are the keys and 3, 1 and 2 are the values
As we can see that the largest key is 12. So in order to find the largest key we use max() method which returns the largest key in the dictionary and we also use keys() which returns a view object i.e. the key of dictionary. So
max(d.keys()) as a whole gives 12
Next d[max(d.keys())] returns the corresponding value of this largest key. The corresponding value is 2 so this entire statement gives 2.
val_of_max = d[max(d.keys())] Thus this complete statement gives 2 and assigns to the val_of_max variable.
Next print(val_of_max) displays 2 on the output screen.
The screenshot of program along with its output is attached.
Write an application named [LastName]_MultiplicationTable and create a method that prompts the user for an integer value, for example 7. Then display the product of every integer from 1 through 10 when multiplied by the entered value. For example, the first three lines of the table might read 1 x 7 = 7, 2 x 7 = 14, 3 x 7 = 21. .. . ..
Answer:
I did this in C# & Java
Explanation:
C#:
public static void Main(string[] args)
{
int input = Convert.ToInt32(Console.ReadLine());
Multiply(input);
}
public static int Multiply(int input)
{
int ans = 0;
for(int i =1; i<=10; i++)
{
ans = i*input;
Console.WriteLine(i + "*" + input + "=" + ans);
}
return ans;
}
Java:
public static void main(String[] args)
{
Scanner myObj = new Scanner(System.in);
int input = Integer.parseInt(myObj.nextLine());
Multiply(input);
}
public static int Multiply(int input)
{
int ans = 0;
for(int i =1; i<=10; i++)
{
ans = i*input;
System.out.println(i + "*" + input + "=" + ans);
}
return ans;
}
Wrire a code that display elements at indices 1 and 4 in the follwoing array.
var userArray = [1, 6, 41, 8, 24, 4];
Answer:
Console.log(userArray[1]);
Console.log(userArray[4]);
Explanation:
The programming language was not stated; however, the variable declaration implies JavaScript.
JavaScript prints using the following syntax:
Console.log(print-name);
Since, the code is to print some elements of array userArray.
First, we need to determine the index of the elements.
The indices are given as 1 and 4.
So, the code to print these elements is as follows:
Console.log(userArray[1]);
Console.log(userArray[4]);
What are the benefits of computer?
Answer:
online toutoring.
helpful games give mind relaxation.
an indicator is a comprehensive analysis of critical information
Answer:
True.
Explanation:
An indicator is a comprehensive analysis of critical information by an adversary normally providing the whole picture of an agency's capabilities.
Hope this helps!
An indicator is a comprehensive analysis of critical information by an adversary normally providing the whole picture of an agency's capabilities is true.
Thus, Information that is critical is integrity class-2 information. Samples 1 through 3 are given. according to 3 papers Make a copy Critical information is defined as information that must be shared from shift to shift in order to ensure the health, safety, and welfare of the people served.
Examples include, but are not limited to: irrational behavioral outbursts, sudden or unexplained mood swings in individuals, the administration of PRN medication, transportation issues, unanticipated trips to the doctor or hospital, routine doctor visits requiring follow-up, reportable and information.
All parties working on the Subcontract, including support staff, must be informed of critical information in order for it to be protected against unintentional release and to guarantee that all parties are aware of it.
Thus, An indicator is a comprehensive analysis of critical information by an adversary normally providing the whole picture of an agency's capabilities is true.
Learn more about Critical information, refer to the link:
https://brainly.com/question/32115676
#SPJ6
Technician A says that the last step in the diagnostic process is to verify the problem. Technician B says that the second step is to perform a thorough visual inspection. Who is correct
Answer:
The answer to this question is given below in the explanation section. However, the correct option is Technician B.
Explanation:
There are eight steps procedures to diagnose the engine.
Step 1 Verify the Problem
Step 2 Perform a Thorough Visual Inspection and Basic Tests
Step 3 Retrieve the Diagnostic Trouble Codes (DTCs)
Step 4 Check for Technical Service Bulletins (TSBs)
Step 5 Look Carefully at Scan Tool Data
Step 6 Narrow the Problem to a System or Cylinder
Step 7 Repair the Problem and Determine the Root Cause
Step 8 Verify the Repair and Clear Any Stored DTCs
So the correct technician is Technician B that says that the second step is to perform a thorough visual inspection.
what are the example of malware spreads
a. social network
b. pirated software
c.removable media
d. all of the above
Examples of malware spreads include all of the options mentioned: social networks, pirated software, and removable media.
The correct option is d.
a. Social networks: Malware can spread through social networks via malicious links or infected attachments shared within messages, posts, or comments. Users may unknowingly click on these links or download infected files, which can then propagate the malware to their devices or their contacts.
b. Pirated software: Malicious actors often distribute malware-infected versions of popular software through illegitimate channels. Users who download and install pirated software are at risk of unknowingly introducing malware onto their systems, as these versions may be modified to include malicious code.
c. Removable media: Malware can also spread through removable media such as USB drives, external hard drives, or even CDs/DVDs. If an infected device or media is connected to a computer, the malware can transfer onto the system, potentially infecting files and spreading further.
Therefore, all of the options (a, b, and c) are examples of how malware can spread, highlighting the importance of practicing safe online habits, avoiding pirated software, being cautious with links and attachments, and regularly scanning removable media to mitigate the risk of malware infections.
To learn more about malware spreads;
https://brainly.com/question/31115061
#SPJ2
Write a program which simulate rolling dice. When the program runs, it will prompt the user to choose a number ranging from 1 to 6. It will then randomly choose a number between 1 and 6. The program will print the message "Your guess is correct!" if the guess number equals to the dice number, otherwise it will print "Wow! The dice number is --.". It should then ask the user if you’d like to roll again. Enter "1" to roll again and enter "0" to end the game. Concepts to keep in mind:
Concepts to keep in mind:
• Random
• Integer
• Print
• While Loops
Output:
Enter your guess number between 1 and 6: 5
Wow! The dice number is 1
Do you want to dice it up again:Enter 1 and if not enter 01
Enter your guess number between 1 and 6: 4
Wow! The dice number is 1
Do you want to dice it up again:Enter 1 and if not enter 01
Answer:
Written in Python
import random
tryagain = 1
while tryagain == 1:
guess = int(input("Enter your guess number between 1 and 6: "))
num = random.randint(1,7)
if guess == num:
print("Your guess is correct")
else:
print("Wow, the dice number is "+str(num))
tryagain = int(input("Do you want to dice it up again:Enter 1 and if not enter 0: "))
Explanation:
I've added the full source code as an image attachment where I used comments to explain difficult lines
What is an example of a condition controlled loop? What would the syntax look like?
Answer:
The answer to this question is given below in the explanation section.
Explanation:
WHILE loops and DO WHILE loops are called the condition controlled loops. The execution of these loops depends on a certain condition, when the condition is true, the loop body will be executed and when the condition becomes false, the loop body will not be executed. the major difference between both loops is given below.
In the WHILE loop, the condition is checked at the beginning of the loop whereas in the do-while loop condition is checked at the end of the loop and, in the do-while loop, the loop body is executed at least once.
The syntax of the while loop is given below
while (condition) {
// code block to be executed
}
The syntax of do-while loop is given below
do {
// code block to be executed
}
while (condition);
Match letters from column B to Column A by looking at the picture above.
Answer:
The answer to this question is given below in the explanation section.
Explanation:
This question is about mapping correct terms with their number in the given picture. The correct matching of Column A and Column B is given below
Column A Column B
Horizontal axis 3
Legend 4
Vertical axis 2
Chart Data 1
For this assignment, you will create flowchart usingFlowgorithm and Pseudocode for the following program example:You are to design a program for Alexander’s Coffee Shopproviding customer research data. When a customer places an order,the clerk asks the customer for their zip code and age. The clerkenters this data as well as the number of items purchased. Theprogram should operate continuously until the clerk enters a 0 forthe zip code at the end of the day. If the clerk enters an invalidage (defined as less than 10 or more than 100), an error message isdisplayed and the program re-prompts the clerk continuously toenter a valid age. At the end of the program, display the averagecustomer age as well as counts of the number of items ordered bycustomers under the age of 25 and customers 25 and older.
Answer:
The flowchart is attached
Oredered accordinly with the flowcahrt number
Jason works as a financial investment advisor. He collects financial data from clients, processes the data online to calculate the risks associated with future investment decisions, and offers his clients real-time information immediately. Which type of data processing is Jason following in the transaction processing system?
A.
online decision support system
B.
online transaction processing
C.
online office support processing
D.
online batch processing
E.
online executive processing
I believe the answer is A. because he has to listen to what the people tell him and he information he has to think about and make a choice on what to reply with.
I hope this helps and its correct please let me know if its wrong have a great day//night.
Screenshot is the image of your active MS Word PowerPoint window
Is it true or false?
true
Screenshots are basically snapshots of your computer screen. You can take a screenshot of almost any program, website, or open window. PowerPoint makes it easy to insert a screenshot of an entire window or a screen clipping of part of a window in your presentation.
Create an interface called Runner. The interface has an abstract method called run() that displays a message describing the meaning of run to the class. Create classes called Machine, Athlete, and PoliticalCandidate that all implement Runner.
The run() should print the following in each class:
Machine - When a machine is running, it is operating.
Athlete - An athlete might run in a race, or in a game like soccer.
PoliticalCandidate - A political candidate runs for office.
----------------------------------------------------------------------------------------------------
public class Athlete implements Runner
{
public void run()
{
// write your code here
}
}
--------------------------------------------------------------------------------------
public class DemoRunners
{
public static void main(String[] args)
{
Machine runner1 = new Machine();
Athlete runner2 = new Athlete();
PoliticalCandidate runner3 = new PoliticalCandidate();
runner1.run();
runner2.run();
runner3.run();
}
}
------------------------------------------------------------------------------------------
public class Machine implements Runner
{
public void run()
{
// write your code here
}
}
----------------------------------------------------------------------------------------------------
public class PoliticalCandidate implements Runner
{
public void run()
{
// write your code here
}
}
----------------------------------------------------------------------------------------------------
public interface Runner
{
// write your code here
}
----------------------------------------------------------------------------------------------------
Answer:
Here is the interface Runner:
public interface Runner { //interface Runner
public abstract void run(); } //abstract method run that displays a message describing the meaning of run to the class
/*Here Runner is the interface which is an abstract class. It is used to group related methods such as here is run method with empty body. An abstract method run() does not have a body. The body is provided by the sub classes Machine, Athlete, and PoliticalCandidate that all implement Runner. */
Explanation:
Here is the Athlete class:
public class Athlete implements Runner { //class that implements Runner interface
public void run() { //interface method accessed by Athlete to provide its body according to describe the meaning of run to the class
System.out.println("An athlete might run in a race, or in a game like soccer."); } } //prints this message
Here is the Machine class:
public class Machine implements Runner {
public void run() {
System.out.println("When a machine is running, it is operating."); }}
Here is the PoliticalCandidate class:
public class PoliticalCandidate implements Runner {
public void run() {
System.out.println("A political candidate runs for office."); } }
/*To access the interface Runner method run(), the Runner must be "implemented" by Machine, Athlete, and PoliticalCandidate classes with the implements keyword. The body of the interface method run() is provided by the "implement" class */
Here is the DemoRunners class:
public class DemoRunners { //class name
public static void main(String[] args) { //start of main method
Machine runner1 = new Machine(); //creates object of Machine class
Athlete runner2 = new Athlete(); //creates object of Athlete class
PoliticalCandidate runner3 = new PoliticalCandidate(); //creates object of PoliticalCandidate class
runner1.run(); //uses object of Machine class to call run method
runner2.run(); //uses object of Athlete class to call run method
runner3.run(); } } //uses object of PoliticalCandidate class to call run method
When runner1.run() is called it invokes the run() method of class Machine which displays the message:
When a machine is running, it is operating.
When runner2.run() is called it invokes the run() method of class Athlete which displays the message:
An athlete might run in a race, or in a game like soccer.
When runner3.run() is called it invokes the run() method of class PoliticalCandidate which displays the message:
A political candidate runs for office.
The screenshot of the program is attached.
4.3 Code Practice: Question 2
Write a program that uses a while loop to calculate and print the multiples of 3 from 3 to 21. Your program should print each number on a separate line.
(Python)
i = 3
while i <= 21:
if i % 3 == 0:
print(i)
i += 1
The required program written in python 3 is as follows :
num = 3
#initialize a variable called num to 3
multiples_of_3 = []
#empty list to store all multiples of 3
while num <=21 :
#while loop checks that the range is not exceeded.
if num%3 == 0:
#multiples of 3 have a remainder of 0, when divided by 3.
multiples_of_3.append(num)
#if the number has a remainder of 0, then add the number of the list of multiples
num+=1
#add 1 to proceed to check the next number
print(multiples_of_3)
#print the list
Learn more :https://brainly.com/question/24782250
The Environmental Master Equation includes all of the following terms except:
O Resource use per person
O Population
•Percent of resource emitted into the atmosphere
•Environmental impact per unit of resource use
Answer: [C]: " percent of resource emitted into the atmosphere ."
________________________
Explanation:
In the "Environmental Master Equation"—
Note that the:
"Environmental impact" ;
= (population) * (resource use per unit population) *
(environmental impact per unit of resource use) .
________________________
The question asks:
"The Environmental Master Equation includes all of the following terms —EXCEPT ...[with 4 (four) answer choices following.]."
________________________
Consider the given answer choices:
[A]: "resource user per person"—which is the same as"
"(resource use per UNIT [emphasis added] population" ;
— which does appear in the equation;
→ so we can rule out "Choice: [A]."
________________________
[B]: "population" —this is included within the equation; so we can rule out "Choice: [B]."
________________________
[C]: "percentage of resource emitted into the atmosphere" ;
Note: This clearly does NOT appear within the equation; so this is a likely answer choice.
________________________
Note: There is one more answer choice—so let us examine:
________________________
[D]: "environmental impact per unit of resource use" —this is included within the equation, so we can rule out "Choice: [D]."
________________________
Furthermore, the particular answer choices given—A, B, and D ; constitute all elements within the "Environmental Master Equation."
________________________
As such: The correct answer is:
[C]: "percent of resource emitted into the atmosphere."
________________________
Hope this is helpful to you!
Best wishes in your academic pursuits!
________________________
Answer:
•Percent of resource emitted into the atmosphere
Explanation:
Hope this will help
You have been given two classes, a Main.java and a Coin.java. The coin class represents a coin. Any object made from it will have a 1) name, 2) weight and 3) value. As of now, the instance variables in Coin.java are all public, and the main function is calling these variables directly for the one coin made in it.
Required:
Your goal is to enforce information hiding principles in this tasl. Take Coin.java, make all instance variables private and create set/get functions for each instance variable. Then replace the direct references in main() to each instance variable with a call to an appropriate set or get function.
Answer:
Here is the Coin class:
public class Coin { //class names
private int value; // private member variable of type int of class Coin to store the value
private String coinName; // private member variable of type String of class Coin to store the coint name
private double weight; //private member variable of type double of class Coin to store the weight
public void setValue (int v) { //mutator method to set the value field
value = v; }
public void setName(String n){ //mutator method to set coinName field
coinName = n;}
public void setWeight (double w) { //mutator method to set weight field
weight = w; }
public int getValue () { //accessor method to get the value
return value; } // returns the current value
public String getName () { //accessor method to get the coin name
return coinName; } //returns the current coin name
public double getWeight () { //accessor method to get the weight
return weight; } } //returns the current weight
Explanation:
Here is the Main.java
public class Main{ //class name
public static void main(String[] args) { //start of main method
Coin penny = new Coin(); //creates object of Coin class called penny
penny.setName("Penny"); //calls setName method of Coin using object penny to set the coinName to Penny
penny.setValue(1); //calls setValue method of Coin using object penny to set the coin value to 1
penny.setWeight(0.003); //calls setWeight method of Coin using object penny to set the coin weight to 0.003
System.out.println("Coin name: " + penny.getName()); // calls getName method of Coin using penny object to get the current coin name stored in coinName field
System.out.println("Coin value: " + penny.getValue()); // calls getValue method of Coin using penny object to get the coin value stored in value field
System.out.println("Coin weight: " +penny.getWeight()); }} // calls getWeight method of Coin using penny object to get the coin weight stored in weight field
The value of coinName is set to Penny, that of value is set to 1 and that of weight is set to 0.003 using mutator method and then the accessor methods to access these values and prinln() to display these accessed values on output screen. Hence the output of the entire program is:
Coin name: Penny Coin value: 1 Coin weight: 0.003
The screenshot of the program along with its output is attached.
Select the correct answers.
What are examples of real-time applications?
A.) news updates
B.) blog posts
C.) stock market values
D.) email
E.) online money transfers
Answer:
B
Explanation:
you can post blog updates in real time as things happen
Answer: Stock market values and news updates
Explanation: These are things that you can follow in real time and that happen in real time (think of something like a livestream)
PLATO/EDMENTUM
CAN SOMEONE PLEASE HELP, I WILL GIVE BRAINLIEST (If that helps) (50 points is also available)
Sorry for re-uploading, I am just desperate to fix this.
How on earth do I fix my computer charger port?
Alright, so for anyone thinking it's a virus or it won't turn on, it's not that. So my computer has had a problem with batteries. I have bought two different chargers, none of those worked. I left the computer alone for a year, charged it for hope, and it worked. Upon further inspection, I looked at the charging port and found that the four metal things that go into the charger and pretty much give it the power were somewhat bent. Like, not bent bent, like when you fold paper, but all over the place. I tried watching videos to help, and they require buying a new motherboard or something like that. Is there a way to fix this for free? Like, a way to put the pings/pongs (idk the word) back together for free? If I can have someone give a step-by-step guide on how to fix this, I would appreciate it. I have had this problem since around 2017. Idk if this can motivate anyone but I could also offer a brainliest for the first person to help. Also, I don't know if this helps, but the computer/laptop Is an HP Touchscreen, not the ones that fold into tablets though.
If you have any questions about the matter, please comment it. If you don't have anything to help, don't waste an answer choice for points, I really want this to be fixed.
Thank you for your time.
Answer:
its perfect
Explanation:
Given four values representing counts of quarters, dimes, nickels and pennies, output the total amount as dollars and cents. Output each floating-point value with two digits after the decimal point, which can be achieved as follows: System.out.printf("Amount: $%.2f\n", dollars); Ex: If the input is: 4 3 2 1 where 4 is the number of quarters, 3 is the number of dimes, 2 is the number of nickels, and 1 is the number of pennies, the output is: Amount: $1.41 For simplicity, assume input is non-negative.
LAB ACTIVITY 2.32.1: LAB: Convert to dollars 0/10 LabProgram.java Load default template. 1 import java.util.Scanner; 2 3 public class LabProgram 4 public static void main(String[] args) { 5 Scanner scnr = new Scanner(System.in); 6 7 /* Type your code here. */|| 8 9) Develop mode Submit mode Run your program as often as you'd like, before submitting for grading. Below, type any needed input values in the first box, then click Run program and observe the program's output in the second box Enter program input (optional) If your code requires input values, provide them here. Run program Input (from above) 1 LabProgram.java (Your program) Output (shown below) Program output displayed here
Answer:
The corrected program is:
import java.util.Scanner;
public class LabProgram{
public static void main(String[] args) {
Scanner scnr = new Scanner(System.in);
int qtr, dime, nickel, penny;
double dollars;
System.out.print("Quarters: ");
qtr =scnr.nextInt();
System.out.print("Dimes: ");
dime = scnr.nextInt();
System.out.print("Nickel: ");
nickel = scnr.nextInt();
System.out.print("Penny: ");
penny = scnr.nextInt();
dollars = qtr * 0.25 + dime * 0.1 + nickel * 0.05 + penny * 0.01;
System.out.printf("Amount: $%.2f\n", dollars);
System.out.print((dollars * 100)+" cents");
}
}
Explanation:
I've added the full program as an attachment where I used comments as explanation
what is the provincial capital of lumbini province
Answer:
hope it helps..
Explanation:
Butwal(recently changed again) , Rupendhai District
Write a program named as calcPrice.c that formats product information entered by the user and calculate the total amount of purchase.
Answer:
Here is the calcPrice.c program:
#include <stdio.h> //to use input output functions
int main(void) { //start of main method
int itemNo, month, day, year, quantity; //declares variables to hold item number, quantity, and date
float unitPrice; //declare variable to hold price per unit
printf("Enter item number: "); // prompts user to enter item number
scanf("%d", &itemNo); //reads item number from user and stores it in itemNo variable
printf("Enter unit price: "); // prompts user to enter unit price
scanf("%f", &unitPrice); //reads input unit price and stores it in unitPrice variable
printf("Enter quantity: "); //prompts user to enter quantity
scanf("%d", &quantity); //reads input quantity and stores it in quantity variable
printf("Enter purchase date (mm/dd/yyyy): "); //prompts user to enter purchase date
scanf("%d/%d/%d", &month, &day, &year); //reads input date and stores it in month, day and year variables
float totalAmount = unitPrice * quantity; //computes the total amount
printf("\nItem\tUnit Price\tQTY\tPurchase Date\tTotal Amount\n"); //displays the item, unit price, qty, purchase data and total amount with tab space between each
printf("%d\t$%5.2f\t%d\t%.2d/%.2d/%d\t$%5.2f\n", itemNo, unitPrice,quantity, month, day, year,totalAmount); } //displays the values of itemNo, unitPrice, quantity, month, day, year and computed totalAmount with tab space between each
Explanation:
Lets suppose user enters 583 as item number, 13.5 as unit price, 2 as quantity and 09/15/2016 as date so
itemNo = 583
unitPrice = 13.5
quantity = 2
month = 09
day = 15
year = 2016
totalAmount is computed as:
totalAmount = unitPrice * quantity;
totalAmount = 13.5* 2
totalAmount = 27.00
Hence the output of the entire program is:
Item Unit Price QTY Purchase Date Total Amount
583 $ 13.50 2 09/15/2016 $ 27.00
The screenshot of the program along with its output is attached.
help me plzz thank you if your right I will mark brainiest
Answer:
the 1,2, and 3 are the second circle thingy and the fourth question is the first circle thing and dont know the last one hope this helps
Explanation:
Using Phyton
Write a program with the following functions.
function 1: Accepts 2 strings as arguments. returns true if the second string is a part of the first string.
def something(string1, string2):
return True if string2 in string1 else False
This would be the most concise way of writing this function.
write a program that calculates the total grade for N classroom exerices as a perfentage. the user should input the value for N followed by each of the N scores and totals.
Answer:
earned = 0
total = 0
exercises = int(input("Enter the number of exercises: "))
for i in range(exercises):
score = int(input("Enter score" + str(i+1) + ": "))
total_score = int(input("Enter total score for exercise " + str(i+1) + ": "))
earned += score
total += total_score
print("The total is %" + str(earned/total * 100))
Explanation:
*The code is in Python.
Set the earned and total as 0
Ask the user to enter the number of exercises
Create a for loop that iterates number of exercises times. For each exercise;
Ask the user to enter the score earned and total score of that exercise
Add the score to the earned (cumulative sum)
Add the total_score to the total (cumulative sum)
When the loop is done, calculate the percentage, divide earned by the total and multiply the result by 100, and print it
Backing up and synchronization are the same thing.
A.)True
B.) False
Answer: A.)true
Explanation: This is true for a number of reasons, the first being that synced files
What is a small device that connects to a computer and acts as a modem
Answer:
Dongle
Explanation:
a small device that connects to a computer and acts as a modem. broadband. internet connection with fast data-transfer speeds and an always-on connection. cable internet service.
Seamus has too much text in one cell but wants all the information to be visible at once. What should he do? force the text to wrap force the text to spill-over truncate the text force the text to be inserted to next cell
Answer:
A: force the text to wrap
Explanation:
Just took the test and got it right!!! Hope this helps :D
Answer:
A) Force the text to wrap
Explanation:
Did it on ed2020
Consider a Stop-and-Wait protocol. Assume constant delays for all transmissions and the same delay for packets sent and ACKs sent. Assume no errors occur during transmission.
(a) Suppose that the timeout value is set to 1/2 of what is required to receive an acknowledgement, from the time a packet is sent. Give the complete sequence of frame exchanges when the sender has 3 frames to send to the receiver.
(b) Suppose that the timeout value is sent to 2 times the round trip time. Give the sequence of frame exchanges when 3 frames are sent but the first frame is lost.
Explanation:
question a) answer:
At the moment when it sends the package, then it has a waiting time for the acknowledgement from the receiver, however, the time will be split in two when the frameset size becomes two, meaning that two packages have been sent together, causing the receiver to acknowledge only one package.
question b) answer:
The timeout is equal to two times.
In cases when the frame size is 3, the frame will be lost since the timeout turns to be 2 times. Because the sender has to wait for the acknowledgement, therefore it will send other of the parcels.
Create a TeeShirt class for Toby’s Tee Shirt Company. Fields include:
orderNumber - of type int size - of type String color - of type String price - of type double Create set methods for the order number, size, and color and get methods for all four fields. The price is determined by the size: $22.99 for XXL or XXXL, and $19.99 for all other sizes. Create a subclass named CustomTee that descends from TeeShirt and includes a field named slogan (of type String) to hold the slogan requested for the shirt, and include get and set methods for this field.
Answer:
Here is the TeeShirt class:
public class TeeShirt{ //class name
private int orderNumber; // private member variable of type int of class TeeShirt to store the order number
private String size; // to store the size of tshirt
private String color; // to store the color of shirt
private double price; // to store the price of shirt
public void setOrderNumber(int num){ //mutator method to set the order number
orderNumber = num; }
public void setColor(String color){ //mutator method to set the color
this.color = color; }
public void setSize(String sz){ //mutator method to set the shirt size
size = sz;
if(size.equals("XXXL") || size.equals("XXL")){ //if shirt size is XXL or XXXL
price = 22.99; // set the price to 22.99 if shirt size is XXL or XXXL
}else{ //for all other sizes of shirt
price = 19.99; } } //sets the price to 19.99 for other sizes
public int getOrderNumber(){ //accessor method to get the order number stored in orderNumber field
return orderNumber; } //returns the current orderNumber
public String getSize(){ //accessor method to get the size stored in size field
return size; } //returns the current size
public String getColor(){ //accessor method to get the color stored in color field
return color; } //returns the current color
public double getPrice(){ //accessor method to get the price stored in price field
return price; } } //returns the current price
Explanation:
Here is the sub class CustomTee:
public class CustomTee extends TeeShirt { //class CustomTee that inherits from class TeeShirt
private String slogan; //private member variable of type String of class CustomTee to store slogan
public void setSlogan(String slgn) { //mutator method to set the slogan
slogan = slgn; }
public String getSlogan() { //accessor method to get the slogan stored in slogan field
return slogan;} } //returns the current slogan
Here is DemoTees.java
import java.util.*;
public class DemoTees{ //class name
public static void main(String[] args) { //start of main method
TeeShirt tee1 = new TeeShirt(); //creates object of class TeeShirt named tee1
TeeShirt tee2 = new TeeShirt(); //creates object of class TeeShirt named tee2
CustomTee tee3 = new CustomTee(); //creates object of class CustomTee named tee3
CustomTee tee4 = new CustomTee(); //creates object of class CustomTee named tee4
tee1.setOrderNumber(100); //calls setOrderNumber method of class TeeShirt using object tee1 to set orderNumber to 100
tee1.setSize("XXL"); //calls setSize method of class TeeShirt using object tee1 to set size to XXL
tee1.setColor("blue"); //calls setColor method of class TeeShirt using object tee1 to set color to blue
tee2.setOrderNumber(101); //calls setOrderNumber method of class TeeShirt using object tee2 to set orderNumber to 101
tee2.setSize("S"); //calls setSize method of class TeeShirt using object tee2 to set size to S
tee2.setColor("gray"); //calls setColor method of class TeeShirt using object tee2 to set color to gray
tee3.setOrderNumber(102); //calls setOrderNumber method of class TeeShirt using object tee3 of class CustomTee to set orderNumber to 102
tee3.setSize("L"); //calls setSize method of class TeeShirt using object tee3 to set size to L
tee3.setColor("red"); //calls setColor method of class TeeShirt using object tee3 to set color to red
tee3.setSlogan("Born to have fun"); //calls setSlogan method of class CustomTee using tee3 object to set the slogan to Born to have fun
tee4.setOrderNumber(104); //calls setOrderNumber method of class TeeShirt using object tee4 of class CustomTee to set orderNumber to 104
tee4.setSize("XXXL"); //calls setSize method to set size to XXXL
tee4.setColor("black"); //calls setColor method to set color to black
tee4.setSlogan("Wilson for Mayor"); //calls setSlogan method to set the slogan to Wilson for Mayor
display(tee1); //calls this method passing object tee1
display(tee2); //calls this method passing object tee2
displayCustomData(tee3); //calls this method passing object tee3
displayCustomData(tee4); } //calls this method passing object tee4
public static void display(TeeShirt tee) { //method display that takes object of TeeShirt as parameter
System.out.println("Order #" + tee.getOrderNumber()); //displays the value of orderNumber by calling getOrderNumber method using object tee
System.out.println(" Description: " + tee.getSize() + " " + tee.getColor()); //displays the values of size and color by calling methods getSize and getColor using object tee
System.out.println(" Price: $" + tee.getPrice()); } //displays the value of price by calling getPrice method using object tee
public static void displayCustomData(CustomTee tee) { //method displayCustomData that takes object of CustomTee as parameter
display(tee); //displays the orderNumber size color and price by calling display method and passing object tee to it
System.out.println(" Slogan: " + tee.getSlogan()); } } //displays the value of slogan by calling getSlogan method using object tee
In this exercise we have to use the knowledge in computational language in JAVA to write the following code:
We have the code can be found in the attached image.
So in an easier way we have that the code is
public class TeeShirt{
private int orderNumber;
private String size;
private String color;
private double price;
public void setOrderNumber(int num){
orderNumber = num; }
public void setColor(String color){
this.color = color; }
public void setSize(String sz){
size = sz;
if(size.equals("XXXL") || size.equals("XXL")){
price = 22.99;
}else{
price = 19.99; } }
public int getOrderNumber(){
return orderNumber; }
public String getSize(){
return size; }
public String getColor(){
return color; }
public double getPrice(){
return price; } }
public class CustomTee extends TeeShirt {
private String slogan;
public void setSlogan(String slgn) {
slogan = slgn; }
public String getSlogan() {
return slogan;} }
import java.util.*;
public class DemoTees{
public static void main(String[] args) {
TeeShirt tee1 = new TeeShirt();
TeeShirt tee2 = new TeeShirt();
CustomTee tee3 = new CustomTee();
CustomTee tee4 = new CustomTee();
tee1.setOrderNumber(100);
tee1.setSize("XXL");
tee1.setColor("blue");
tee2.setOrderNumber(101);
tee2.setSize("S");
tee2.setColor("gray");
tee3.setOrderNumber(102);
tee3.setSize("L");
tee3.setColor("red");
tee3.setSlogan("Born to have fun");
tee4.setOrderNumber(104);
tee4.setSize("XXXL");
tee4.setColor("black");
tee4.setSlogan("Wilson for Mayor");
display(tee1);
display(tee2);
displayCustomData(tee3);
displayCustomData(tee4); }
public static void display(TeeShirt tee) {
System.out.println("Order #" + tee.getOrderNumber());
System.out.println(" Description: " + tee.getSize() + " " + tee.getColor());
System.out.println(" Price: $" + tee.getPrice()); }
public static void displayCustomData(CustomTee tee) {
display(tee);
System.out.println(" Slogan: " + tee.getSlogan()); } }
See more about JAVA at brainly.com/question/18502436
is the core of an operating system that controls its basic functions.
O Freeware
O Kernel
Tweaker
O Open source
Answer:
Explanation:
Tweaker
ANSWER
Its Kernel
Explanation:
i got a 100%