Write a modular program that allows the user to enter a word or phrase and determines whether the word or phrase is a palindrome. A palindrome is a word or phrase that reads the same backwards as forwards. Examples include: civic, kayak, mom, noon, racecar, Never odd or even., and Was it a Rat I saw

Answers

Answer 1

Answer:

import java.util.Scanner;

public class num10 {

   public static void main(String[] args) {

       Scanner in = new Scanner(System.in);

       System.out.println("Enter a word");

       String word = in.nextLine();

       String reversed = "";

       //Get the length of the string entered

       int length = word.length();

       //Loop through the string and reverse th string

       for ( int i = length - 1; i >= 0; i-- )

           reversed = reversed + word.charAt(i);

       //Compare the two strings "word" and "reversed"

       if (word.equals(reversed))

           System.out.println(word+" is a palindrome");

       else

           System.out.println(word+" is not a palindrome");

   }

}

Explanation:

Since we know that a palindrome word is a word that reads the same forward and backward, The Idea here is:

To obtain a word from a user.  Use a for loop to reverse the word and store in another variableUse if....else to compare the two strings and determine if they are equal, if they are equal then the word is palindrome.

Related Questions

2. Write the binary representation of number 1037.379 in IEEE 754 standard in single precision. Express the result in binary, oct, and hex formats. 3. Write the binary representation of number 64.48 in IEEE 754 standard in double precision. Express the result in binary, oct, and hex formats. 4. Register f3 contains the 32-bit number 10101010 11100000 00000000 00000000. What is the corresponding signed decimal number

Answers

Answer:

-1.75

Explanation:

kindly refer to attachment for a detailed step by step solution to the problem.

A terrible new disease, HORSEVID, has begun to spread among horses worldwide. Stable manager Jimmy is trying to take as many precautions as possible to protect his herd from infection.

Stable manager Jimmy's barn is a long narrow building containing N stalls in a row (2≤N≤105). Some of these stalls are currently occupied by horses, and some are vacant. Having read about the importance of "social distancing", Stable manager Jimmy wants to maximize D, where D is the distance between the closest two occupied stalls. For example, if stalls 3 and 8 are the closest that are occupied, then D=5.

Two new horses recently joined Jimmy's herd and he needs to decide to which formerly-unoccupied stalls they should be assigned. Please determine how he can place his two new horses so that the resulting value of D is still as large as possible. Stable manager Jimmy cannot move any of his existing horses; he only wants to assign stalls to the new horses.

INPUT:

The first line of input contains N.

The next line contains a string of length N of 0s and 1s describing the sequence of stalls in the barn. 0s indicate empty stalls and 1s indicate occupied stalls. The string has at least two 0s, so there is at least enough room for two new horses.

OUTPUT:

Please print the largest value of D

(the closest distance between two occupied stalls) that Stable manager Jimmy can achieve after adding his two new horses in an optimal fashion.

SAMPLE INPUT:

14
10001001000010


SAMPLE OUTPUT:
2
In this example, Stable manager Jimmy could add horses to make the occupancy string look like 10x010010x0010, where x's indicate the new horses. In this case D=2. It is impossible to add the new horses to achieve any higher value of D.

Answers

Answer:

Explanation:

Well here you only have to add 2 new horses .... so simply what you can do is find 2 slots where the gap is maximum ... lets take the given example in detail to understand the same.... here 10001001000010 here you can observe that the difference between the first two filled slots is 3 then 2 then 4 then 1....... make it a separate array ...... now as i said that we just need to place two new horses so we just need two of the biggest numbers from this array and place the new horses at the center of the corresponding slots ... like here 3 and 4 are greatest ... so one horse is placed in between the gap corresponding to 3  while other at 4 ..... after making the new array answer can be find in linear time itself... I hope this makes sense ....

Now lets understand how to program it easily so firstly after scanning all stuff ..... we will make a gap array .... then just think now what we will do is find the greatest two numbers then again putting the horses and then find our answers .... so now an easy approach is that instead of making the string again and again searching for answer .... what we do is just do half of the two greatest ones and again find the greatest one in array....

gAssume that you are writing a program to merge two files named FallStudents and SpringStudents. Each file contains a list of students enrolled in a programming logic course during the semester indicated, and each file is sorted in student ID number order. After the program compares two records and subsequently writes a Fall student to output, the next step is to _________.

Answers

Answer:

read a FallStudents record

Explanation:

When data is input from a file, the data is processed and then placed in the output file. In order to verify the validity of this process, the output file is checked.

After comparing data in the FallStudents and SpringStudents files, and placing in sorted order by StudentID. The output data is placed in file FallStudents record. After the complete process is done, the output/file record which is the FallStudents record is read.

2. Using the Enhanced for Statement, write an application that uses an enhanced for statement to sum the double values passed by the command-line arguments. [Hint: Use the static method parseDouble of class Double to convert a String to a double value.] This is sample run of your program: The·sum·of·the·double·values·passed·in·from·the·command·line·is·0.0↵

Answers

Answer:

Here is the program:

public class DoubleValue

{ public static void main(String[] args) { //start of the main function

 double sum = 0.0;  // initialize double type sum by 0.0

//for statement to sum the double values passed by the command-line //arguments

       for (String str : args)        {  

         sum += Double.parseDouble(str);  

//returns double representation of the passed str argument and takes the //sum of these double values         }

       System.out.printf("The sum of the double values passed in from the command line is %.1f\n", sum);  }  }      

//prints the above message with output 0.0                                  

Explanation:

The above program has a static method parseDouble of class Double to convert a string str to a double value and the for statement is used to sum the double values passed by command line arguments. This sum is stored in sum variable and is displayed in the output. The program along with its output is attached.

If you want to get the input from the user you can use the following code. Just use the Scanner class to take input from the user.

import java.util.Scanner;

public class DoubleValue

{ public static void main(String[] args) {

//two string type variables

 String str1;

               String str2;

//scans and reads input from user

Scanner input = new Scanner(System.in);

System.out.println("Enter value of str1: ");

str1 = input.next();

System.out.println("Enter value of str2: ");

str2 = input.next();

double sum = 0.0;

//sum double values and parseDouble function is used to convert string to //double value

sum += Double.parseDouble(str1) + Double.parseDouble(str2);

System.out.printf("The sum of the double values passed in from the command line is %.1f\n", sum); } }  //prints result of the sum

Final answer:

The code provided illustrates how to sum double values passed through command-line arguments in Java, using Double.parseDouble and an enhanced for loop, demonstrating important concepts in parsing and arithmetic operations in programming.

Explanation:

The question involves writing a Java application to sum double values passed through command-line arguments using an enhanced for loop, illustrating a practical application in parsing and arithmetic operations in programming. This task requires knowledge of Java's Double.parseDouble method and the enhanced for loop. To accomplish this, a main method is created where the command-line arguments are accessed. Each argument, which is initially a String, is converted to a double using Double.parseDouble, and then summed in an enhanced for loop. Here is a simple implementation:

public class SumDoubles {
   public static void main(String[] args) {
       double sum = 0.0;
       for (String arg : args) {
           sum += Double.parseDouble(arg);
       }
       System.out.println("The sum of the double values passed in from the command line is " + sum);
   }
}

This code snippet effectively addresses the task by converting command-line arguments from String to double and summing them. It demonstrates the use of command-line arguments, Double.parseDouble, and an enhanced for loop in Java.

1. Write an application that inputs five numbers, each between 10 and 100, inclusive. As each number is read, display it only if it’s not a duplicate of a number already read. Provide for the "worst case," in which all five numbers are different. Use the smallest possible array to solve this problem. Display the complete set of unique values input after the user enters each new value. This is a sample run of your program: Enter·an·integer·between·10·and·100:100↵ This·is·the·first·time·100·has·been·entered↵ Enter·an·integer·between·10·and·100:100↵ Enter·an·integer·between·10·and·100:10↵ This·is·the·first·time·10·has·been·entered↵ Enter·an·integer·between·10·and·100:20↵ This·is·the·first·time·20·has·been·entered↵ Enter·an·integer·between·10·and·100:20↵ The·complete·set·of·unique·values·entered·is:↵ Unique·Value·1:·is·100↵ Unique·Value·2:·is·10↵ Unique·Value·3:·is·20

Answers

Answer:

Check the explanation

Explanation:

import java.util.Scanner;

public class DuplicateElimination {

   public static void main(String[] args) {

       Scanner scanner = new Scanner(System.in);

       int arr[] = new int[5];

       int size = 0, n;

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

           System.out.print("Enter an integer between 10 and 100:");

           n = scanner.nextInt();

           if(size==0 || elemanVarmı(arr,size,n)){

               System.out.println("This is the first time "+n+" has been entered");

               arr[size] = n;

               size++;

           }

       }

       System.out.println("The complete set of unique values entered is");

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

           System.out.println("Unique Value "+(i+1)+": is "+arr[i]);

       }

   }

   private static boolean elemanVarmı(int dizi[], int size, int n)

   {

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

       {

           if(dizi[i]==n)

           {

               return false;

           }

       }

       return true;

   }

}

Final answer:

The question is about designing a programming application that takes in up to five integers between 10 and 100 and displays each unique number entered by the user. The program maintains a small array to store the unique numbers and possibly includes functionality to determine the minimum and maximum values from the input, as well as error handling for invalid inputs.

Explanation:

Programming Unique Values Application

The application you're describing involves creating a program that accepts five integers between 10 and 100, inclusive. Each number entered by the user should be checked against the existing list of input numbers to determine if it is a duplicate. If it is not a duplicate, it should then be displayed and added to the list of unique values. To handle this scenario, the program could use an array with a length that corresponds to the maximum number of unique integers, which in the worst case would be five. As the user inputs each number, the program should check if the number is already present in the array. If it isn't, the number should be added to the array, and the current list of unique numbers should be displayed. This helps in avoiding the storage of duplicate numbers and efficiently manages the memory by using the smallest array necessary.

To extend the functionality, as indicated in Exercise 5.2, the same logical structure can be applied to also keep track and display the maximum and minimum value entered by the user at the end of the input sequence. We could also implement error handling to provide feedback if invalid input is given, similar to the approach outlined in Exercise 5.1 for detecting user input mistakes. This kind of functionality often involves iterative loops, array manipulation, and conditional statements to handle the logic.

In this chapter, you subnetted a Class C private network into six subnets. In this project, you work with a Class B private network. Complete the steps as follows: 1. Your employer is opening a new location, and the IT director has assigned you the task of calculating the subnet numbers for the new LAN. You’ve determined that you need 50 subnets for the Class B network beginning with the network ID 172.20.0.0. How many host bits will you need to use for network information in the new subnets? 2. After the subnetting is complete, how many unused subnets will be waiting on hold for future expansion, and how many possible hosts can each subnet contain?

Answers

Answer:

1. 10 bits

2. 1022 Hosts / Subnet

Explanation:

Given Network ID is 172.20.0.0

Class B network contains :

Network ID = 16 bits

Host ID = 16 bits

For subnetting always host id bits are used.

Number of subnets required = 50. Subnets are always in power of two. Nearest power of two to 50 is 26 = 64.

So, to create subnet we require 6 bits from host id and 64 subnets can be created with those 6 bits.

1)

Number of host bits needed for new subnets for network information = 6 bits.

Therefore, New network information contains :

Network ID of subnet = 16 + 6 = 22 bits

Host ID = 16- 6 = 10 bits.

2)

Subnets required = 50

Subnets created with 6 bits = 64.

Number of subnets unused for future expansion = 64 - 50 = 14 subnets.

Host ID part contains 10 bits. Therefore, Total number of Hosts /Subnet = 210 = 1024 Hosts.

Number of usable hosts per subnet = 1024 -2 = 1022 Hosts / Subnet.

Subnetting the Class B private network 172.20.0.0 into 50 subnets requires using 6 bits for subnetting, leaving 10 bits for the hosts. This results in 14 unused subnets and 1022 possible hosts per subnet.

Subnetting a Class B private network to create 50 subnets involves several steps. Let's start by understanding the requirements:

1. Determine the number of host bits to borrow: The Class B network starting address is 172.20.0.0. Class B networks have a default subnet mask of 255.255.0.0, meaning the first 16 bits are for the network, and the remaining 16 bits are for the host.

We need to create 50 subnets. The number of bits needed to create 'n' subnets is calculated by the formula 2^n ≥ required subnets. Here, we need at least 50 subnets.

So, we need to solve 2^n ≥ 50, which results in n = 6 bits (since 2^6 = 64). The subnet mask will now be 255.255.252.0 (i.e., borrowing 6 bits from the host part).

2. Calculate the number of host bits left: Originally, there are 16 host bits. Borrowing 6 bits leaves us with 10 bits for hosts.

3. Determine unused subnets and possible hosts per subnet: We have created 64 subnets (2^6). We needed only 50, so there will be 14 unused subnets (64 - 50).

The number of hosts per subnet is calculated as 2^(number of host bits) - 2 (to account for network and broadcast addresses). So, 2^10 - 2 = 1022 hosts per subnet.

In summary:

6 bits are used for subnetting.There will be 14 unused subnets.Each subnet can contain up to 1022 hosts.

Suppose we are sorting an array of eight integers using quicksort, and we have just finished the first partitioning with the array looking like this: 2 5 1 7 9 12 11 10, which statement is correct?

a. The pivot could be 7, but it is not 9.
b. The pivot could be 9 but not 7.
c. The pivot could be either 7 or 9.
d. Neither 7 nor 9 is the pivot.

Answers

Answer:

c. The pivot could be either 7 or 9.

Explanation:

Since we are trying to sort an array of eight integers using quick sort, from the first partitioning it shows that the pivot or the central point can either be 7 or 9. When you look at the array, it is only 7 and 9 that are placed correctly in the sorted array. Every element to the left of 7 and 9 are smaller and every element on the right of 7 and 9 are integers higher than them. Hence this shows that the pivot lies between 7 or 9.

The pivot element of an array is the middle element of the array.

The pivot element could be either 7 or 9

From the question, we have:

[tex]\mathbf{n = 8}[/tex]

So, the pivot element is:

[tex]\mathbf{Pivot = \frac{n +1}{2}}[/tex]

So, we have:

[tex]\mathbf{Pivot = \frac{8 +1}{2}}[/tex]

[tex]\mathbf{Pivot = \frac{9}{2}}[/tex]

Divide 9 by 2

[tex]\mathbf{Pivot = 4.5}[/tex]

So, the pivot element is the 4.5th element.

The 4.5th element is between the 4th and 5th element (i.e. 7 or 9)

This means that, the pivot element could be either 7 or 9

Hence, the correct option is (c).

Read more about pivot elements at:

https://brainly.com/question/16260051

Moving Images are called________.
Group of answer choices

pictures

comic strips

films

animations

Answers

Answer:

films

Explanation:

- Pictures, comic strips, and animations is wrong because they are static images.

- Films are known as "moving pictures" and therefore are moving images. That makes film your correct answer.

- Hope this helps! If you would like a further explanation please let me know.

Create a Sub called "daisyDecisions" that runs when you click a button. In this sub, you will create a program that determines whether he/she loves you, or loves you not. The program should receive, as an input, the number of petals on the flower (i.e., have a variable for petals) and then use that number to determine the output of the program: if the number of petals is even, then the program should output that he/she loves you not, if odd, then he/she loves you.

Answers

Answer:

see explaination

Explanation:

Please find the screenprint and the VBA code. As shown in the screenprint, range B1 is used to enter the number of petals. If you want to use a different cell for petals input, then change the code accordingly.

Also, the VBA code is placed in the Sheet1 module. No new modules are inserted.

Screenprint: see attachment for screenshot

VBA Code:

Private Sub CommandButton1_Click()

Call daisyDecisions

End Sub

Private Sub daisyDecisions()

Dim remainder As Integer

Dim noOfPetals As Integer

noOfPetals = Sheet1.Range("B1").Value

remainder = noOfPetals Mod 2

If remainder <> 0 Then

MsgBox "He/She loves you!!!"

Else

MsgBox "He/She loves you not!!!"

End If

End Sub

Question 4: Write the code for a for-loop that prints the following outputs. You should be able to do it with either a single for-loop or a nested for-loop. Output 1: 0 1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 Output 2: 0 1 2 0 1 2 0 1 2 0 1 2 0 1 2 0 1 2 0 1 2 0 1 2 0

Answers

Final answer:

The question can be solved using a for-loop in Python. For the first output, we iterate through numbers 0 to 24, and for the second output, we use the modulo operation to repeat the pattern 0, 1, 2 eight times.

Explanation:

To print the specified outputs, we can use a simple for-loop in Python. The first output is a sequence from 0 to 24, and the second output is a repeated pattern of 0 to 2, eight times (since we repeat the pattern 8 times to get the same length as the first sequence).

Code for Output 1:

for i in range(25):
   print(i, end=' ')

This loop will iterate over a range from 0 to 24 and print each number followed by a space, resulting in the first output.

Code for Output 2:

for i in range(25):
   print(i % 3, end=' ')
This loop will also iterate over a range from 0 to 24, but it will print the remainder when each number is divided by 3 (which is the modulo operation), resulting in the pattern 0, 1, 2 repeated, for the second output.

Tiny College wants to keep track of the history of all its administrative appointments, including dates of appointment and dates of termination. (Hint: Time- variant data is at work.) The Tiny College chancellor may want to know how many deans worked in the College of Business between January 1, 1960, and January 1, 2018, or who the dean of the College of Education was in 1990. Given that information, create the complete ERD that contains all primary keys, foreign keys, and main attributes. To upload and submit your assignment, click the Choose File button below to find and select your saved document. Make sure that the file is saved with your last name in the file name. (Example: ch5_problem1_Jones.doc)

Answers

Answer:

Explanation:

check below for the answer in d attached file

int iterFib(int n) {int a = 0, b = 1, c, i;for(i=2; i<=n; i++) {c = a + b;a = b;b = c;}return b;}What are the missing MIPS instructions? Please record only the letter in lower case.iterFib: addi $sp, $sp, -12

Answers

Answer:

Instruction 1 , It should store the content of s2 intot the stack.

Hence instruction will be sw $s2,0($sp)

Instruction 2 , It will check if the value of t2 is one or not. If it is zero it should exit.

Hence instruction will be beq $t2,$zero,exitFib

Explanation:

A smart speaker has no screen or keypad for changing its settings. Order three steps to configure the speaker.


Connect the smartphone to the speaker’s Wi-Fi hotspot.
Download the speaker’s app to a smartphone.
Enter the password to the home Wi-Fi network.
Enter the password to the speaker’s Wi-Fi hotspot.

Answers

A smart speaker has no screen or keypad for changing its settings.

The steps we will follow to configure the speaker are

Firstly we need to enter the password to the speaker’s Wi-Fi hotspot .so that we can connect the speakers Wi-Fi.Secondly we should connect the smartphone to the speaker’s Wi-Fi hotspot.Thirdly we should download  the speaker’s app to a smartphone.So that we can operate the speaker

Explanation:

A smart speaker has no screen or keypad for changing its settings.The steps we will follow to configure the speaker are

Firstly we need to enter the password to the speaker’s Wi-Fi hotspot .so that we can connect the speakers Wi-Fi.Secondly we should connect the smartphone to the speaker’s Wi-Fi hotspot.Thirdly we should download  the speaker’s app to a smartphone.So that we can operate the speaker

Thus above mentioned is the order of the three steps that we need to follow in order to configure the speaker.

Final answer:

To configure a smart speaker without a screen or keypad, you need to connect your smartphone to the speaker's Wi-Fi hotspot, download the speaker's app, and enter the password to your home Wi-Fi network.

Explanation:

To configure a smart speaker without a screen or keypad, follow these three steps:

First, connect your smartphone to the speaker's Wi-Fi hotspot.Next, download the speaker's app to your smartphone. This app will allow you to control and configure the speaker.Finally, enter the password to your home Wi-Fi network in the speaker's app. This will enable the speaker to connect to your Wi-Fi network and access the internet.

Create a stored procedure sp_Q1 that takes two country names like 'Japan' or 'USA' as two inputs and returns two independent sets of rows: (1) all suppliers in the input countries (SUPPLIERS TABLE) , and (2) products supplied by these suppliers (PRODUCTS TABLE). The returned suppliers should contain SupplierID, CompanyName, Phone, and Country. The returned products require their ProductID, ProductName, UnitPrice, SupplierID, and must be sorted by SupplierID. You must include a simple testing script to call your sp_Q1 using 'UK' and 'Canada' as its two inputs.

Answers

Answer:

Kindly note that, you're to replace "at" with shift 2 as the brainly text editor can't take the symbol

If you are executing this script with any other script, Add "GO" to the line above "CREATE PROCEDURE", on a line all by itself, and it should fix that error of 'CREATE/ALTER PROCEDURE'

Explanation:

CREATE PROCEDURE sp_Q1

"at"country1 NVARCHAR(15),

"at"country2 NVARCHAR(15)

AS

BEGIN

  BEGIN

      SELECT SupplierID, CompanyName, Phone, Country FROM suppliers

      where Country in ("at"country1,"at"country2)

     

  SELECT ProductID, ProductName, UnitPrice, SupplierID FROM Products

      where SupplierID in(

      SELECT SupplierID FROM suppliers

      where Country in ("at"country1,"at"country2)) ORDER BY SupplierID

  END

END

GO

-- Testing script.

DECLARE "at"RC int

DECLARE "at"country1 nvarchar(15)

DECLARE "at"country2 nvarchar(15)

-- Set parameter values here.

set "at"country1='UK'

set "at"country2='Canada'

EXECUTE "at"RC = [dbo].[sp_Q1]

"at"country1

,"at"country2

GO

please help guys I'm so lost ​

Answers

Answer:

The correct answer is C ( W * 5 )

The answer is C hope this helps

Write a method called swapPairs that switches the order of values in an ArrayList of strings in a pairwise fashion. Your method should switch the order of the first two values, then switch the order of the next two, then the next two, and so on. If the number of values in the list is odd, the method should not move the final element. For example, if the list initially stores ["to", "be", "or", "not", "to", "be", "hamlet"], your method should change the list's contents to ["be", "to", "not", "or", "be", "to", "hamlet"].

Answers

Answer:

import java.util.ArrayList; public class Main {    public static void main(String[] args) {        ArrayList<String> strList =new ArrayList<String>();        strList.add("to");        strList.add("be");        strList.add("or");        strList.add("not");        strList.add("to");        strList.add("be");        strList.add("hamlet");        swapPairs(strList);        System.out.println(strList);    }    public static void swapPairs(ArrayList<String> list){        for(int i=0; i < list.size()-1; i+=2){            String temp = list.get(i);            list.set(i, list.get(i+1));            list.set(i+1, temp);        }    } }

Explanation:

Firstly, let's create a method swapPairs that take one ArrayList (Line 18). In the method, use a for-loop to traverse through each item in the ArrayList and swap the items between the current items at index-i and at index-i+1 (Line 19-22). The index-i is incremented by two in next loop and therefore the next swapping will proceed with third and fourth items and so forth.

In the main program, create a sample ArrayList (Line 5-12) and then test the method (Line 14) and print the output (Line 15). We shall get  [be, to, not, or, be, to, hamlet].

We are interested in creating a grid of n boxes by n boxes. Each box in the grid is 5 x 5 pixels and the surrounding black border is 1 pixel thick. The second last row and the second last column of the boxes are of cyan color (RGB = [0, 255, 255]), rest all are white. Write a program which displays such a grid based on the number of boxes given by the user. Assume that the user will always input a value greater than 4.

Answers

Answer:

clc

clear

size = input('Enter the number of boxes in a row : ');

for i=1:size

for j=1:size

if i==size-1 || j==2

rectangle('Position',[i*size,j*size,size,size],'FaceColor',[0,1,1],'EdgeColor','black',...

'LineWidth',3)

else

rectangle('Position',[i*size,j*size,size,size],'FaceColor',[1 1 1],'EdgeColor','black',...

'LineWidth',3)

end

end

end

Explanation:

Sites like Zillow get input about house prices from a database and provide nice summaries for readers. Write a program with two inputs, current price and last month's price (both integers). Then, output a summary listing the price, the change since last month, and the estimated monthly mortgage computed as (current_price * 0.051) / 12. Output each floating-point value with two digits after the decimal point, which can be achieved as follows:

Answers

Final answer:

The student's question involves writing programs in C++ and Python to summarize current house price, change since last month, and estimate the monthly mortgage. Example codes in both languages are provided, offering a clear and concise way to calculate and present the required financial information.

Explanation:

As a solution to the student's request, we can provide a simple program in both C++ and Python to calculate the summary of a house pricing including the current price, the change since last month, and the estimated monthly mortgage. Below are example codes for both languages:

C++ Program:

#include
#include

int main() {
   int currentPrice, lastMonthsPrice;
   std::cin >> currentPrice >> lastMonthsPrice;
   double change = currentPrice - lastMonthsPrice;
   double monthlyMortgage = (currentPrice * 0.051) / 12;

   std::cout << std::fixed << std::setprecision(2);
   std::cout << "Current Price: $" << currentPrice << "\n";
   std::cout << "Change Since Last Month: $" << change << "\n";
   std::cout << "Estimated Monthly Mortgage: $" << monthlyMortgage << std::endl;

   return 0;
}

Python Program:

current_price = int(input())
last_months_price = int(input())

change = current_price - last_months_price
monthly_mortgage = (current_price * 0.051) / 12

print(f'Current Price: ${current_price:.2f}')
print(f'Change Since Last Month: ${change:.2f}')
print(f'Estimated Monthly Mortgage: ${monthly_mortgage:.2f}')

By inputting the current and last month's house prices, these programs will output a formatted summary that includes change in price and monthly mortgage estimate.

When a system is configured to allow booting to different operating systems at startup, what is this called?

Answers

Answer:

The term dual-boot has come to mean the ability to boot between two or more operating systems at startup.

Explanation:

A dual boot is when you run two operating systems on one computer at the same time. This can be any combination of operating systems, for example, Windows and Mac, Windows and Linux or Windows 7 and Windows 10.

‘Booting’ is normally used interchangeably with ‘starting’ or ‘powering on’ when referring to computers. But in regard to dual-booting, the term specifically refers to something called the ‘boot manager’, a tiny program managed by the motherboard.

When you turn on a PC, the power supply unit (PSU) initially powers up the motherboard, which manages and holds together all your other computer components. If you’ve ever seen a black screen with text and possibly logos on it after you’ve started your PC, but before it gets to the Windows login screen, this is the motherboard letting you know it is on.

The motherboard scans all the different components that are connected to it, such as graphics cards, optical drives (CD or DVD) and disk drives. Once the motherboard has established the state of your hardware, it knows that you will most likely want to boot into an operating system. To do this, the motherboard passes over the drive information to the boot manager.

Boot managers are software that can run on your computer before an operating system is loaded. Their task is to locate operating systems on your drives and start-up whichever you would like to use. Most people with a Windows PC or Mac may never have seen the boot manager on their computer - it simply assumes that since it can only find one operating system, this is the one you want to use.

After reading the case presented in the module, write a short response to the following discussion questions and ethical decision making scenario. Discussion Questions
What questions should Iris ask Charlie about the new job, Kelvin’s team, and the future of the company?
What questions should Iris ask Kelvin about the new job?
Had you been in Kelvin’s place, what would you have done differently to prepare for this meeting?

Answers

Final answer:

Iris should ask Charlie and Kelvin thorough questions about the job's responsibilities, the team dynamics, and the company's future. Reflecting on past decisions with an understanding of cognitive bias leads to better outcomes. It's essential to commit to ongoing critical reflection to avoid future biases in decision-making.

Explanation:

Discussion Questions for Iris

When considering questions that Iris should ask Charlie, she should be inquisitive about the specifics of the new job, the dynamics within Kelvin's team, and the future of the company. This includes asking about the job responsibilities, the team's current projects and goals, the team's working style and culture, any potential for advancement, and the company's vision for the future and stability.

Questions for Kelvin

Regarding questions for Kelvin, Iris could probe deeper into how the role fits into the company's larger strategy, how success will be measured for the new position, what the expectations are during the first few months, and how Kelvin envisions the position evolving. These questions would provide Iris with a comprehensive understanding of how her potential role manifests within the company's framework.

Hypothetical Scenario as Kelvin

If placed in Kelvin's position, to prepare for the meeting, I would ensure that I clearly understood the objectives for the new role, prepared a structured plan outlining how I would integrate the new member into the team, and had a thorough understanding of the company's future plans to address any inquiries. Reflecting on past decisions through the lens of cognitive bias would help mitigate any irrational elements involved in decision-making.

Impact of Different Behaviors

Had a different approach been taken, such as being more critical or self-aware, the consequences may have included more informed decision-making and reduced chances of miscommunication. Understanding the cognitive bias and employing critical reflection and metacognition could have led to better outcomes and a healthier decision-making process.

Conclusion and Lessons Learned

In conclusion, reflecting on experiences and understanding cognitive biases can profoundly impact personal growth and decision-making. This level of self-awareness can lead to improved choices in the future and help avoid repeating the same mistakes. Committing to ongoing critical reflection and seeking diverse perspectives are steps one can take today to prevent cognitive bias from clouding judgment.

Assume: Memory: 5 bit addresses Cache: 8 blocks All memory locations contain valid data If the memory location is 9. What is the Binary Address and cache block # If the memory location is 12. What is the Binary Address and cache block # If the memory location is 15. What is the Binary Address and cache block #

Answers

Answer:

The answer to this question can be described as follows:

binary address: 01001, 01100, 01111.

Cache block: 1, 4, 7

Explanation:

Given values

Memory = 5 bit and cache = 8 blocks

Option 1)

memory location is =9

convert into binary number, so we get binary address = 01001

So, the cache block = 1

Option 2)

memory location is = 12

convert into binary number, so we get binary address = 01100

So, the cache block = 4

Option 3)

memory location is =15

convert into binary number, so we get  binary address = 01111

So, the cache block = 7

Five batch jobs. A through E, arrive at a computer center at almost the same time. They have estimated running times of 10, 6, 2, 4, and 8 minutes. For each of the following scheduling algorithms, determine the average process turnaround time. Ignore process switching overhead. Note that all jobs are completely CPU bound. Assumption: The processes are added to the ready queue in this order: run in order A, B, C, D, E.

Answers

Answer:

a) Round Robin = 21.2 minutes

(b) First -come, First Serve = 19.2 minutes

(c) Shortest job first = 14 minutes

Explanation:

The five job have a time of 10, 6, 2, 4, and 8.

The question doesn't specify the scheduling algorithm, so we will solve for round Robin scheduling algorithm, First Come First Serve and shortest job first scheduling algorithm.

Shortest job first scheduling algorithm execute the job that has the shortest completion time first.

First Come First Serve scheduling algorithm execute the job based on order of arrival.

Round Robin scheduling algorithm execute job based on a given time slice. If the time given is finish and the job hasn't finished, the job is removed and put on the queue while another job enter for execution.

Turnaround time = Completion time - Arrival time

In this case; our arrival time is 0; so turnaround time = completion time.

(a) Round Robin: We were not given quantum time, so we assume quantum time of 1. The sequence of execution will be:

A B C D E | A B C D E | A B D E | A B D E | A B E | A B E | A E | A E | A | A

Average Turnaroud time =

((30-0) + (23-0) + (8-0) + (17-0) + (28-0))/5 = 106/5 = 21.2 minutes

(b) First -come, first served (run in order 10, 6, 2, 4, 8):

A B C D E = ((10-0) + (16-0) + (18-0) + (22-0) + (30-0))/5 = 96/5 = 19.2 minutes

(c) Shortest job first:

C D B E A = ((2-0) + (6-0) + (12-0) + (20-0) + (30-0))/5 = 70/5 = 14 minutes

I have been trying to work on this for a while now, and this is on excel

In cell H10, enter an INDEX function that will use a nested INDIRECT reference to the Dept named range listed in column C (C10), and use the Reason field in column B (B10) as the row number to return for the department name in the referenced named range.
Nest the function inside an IF function so that issues currently displaying as a 0 will display as a blank cell. Resize the column width as needed.

** I got this much of the formula

=INDEX(INDIRECT("Dept"),Reason)

but it only recalls and displays the Dept column contents. I need it to recall the Dept and display the Reason, I think? Then at that point, how would I get this into an IF statement?

I feel like I dont understand the instructions, and I know I am not that great on excel.

Answers

Answer:

=IF(INDEX(INDIRECT(C10), B10)=0,"",INDEX(INDIRECT(C10), B10))

Or

=IF((INDEX((INDIRECT(Dept,TRUE)),Reason))="","",(INDEX((INDIRECT(Dept,TRUE)),Reason)))

Explanation:

Given

Your formula:.

=INDEX(INDIRECT("Dept"),Reason)

Dept column = C (C10)

Reason field = B (B10)

The issue with your formula is that you failed to include a statement to test the falsity of the first condition; in other words, if your if statement is not true, what else should the formula do.

The question says that

"Nest the function inside an IF function so that issues currently displaying as a 0 will display as a blank cell" this means that

if the INDEX() function returns 0, a blank should be displayed in H10 blank, instead.

So, the right formula both of these two. You can use any of them

1. =IF(INDEX(INDIRECT(C10), B10)=0,"",INDEX(INDIRECT(C10), B10))

2. =IF((INDEX((INDIRECT(Dept,TRUE)),Reason))="","",(INDEX((INDIRECT(Dept,TRUE)),Reason)))

The two does the same function; the only difference is that

(1) considers the cell itself while (2) considers the contents of the cell.

The analysis of both is that

They both use a nested indirect reference to check for the content of cells displaying 0.

The first if checks for the above mentioned; if yes, cell H10 is made to display a blank else it's original content is displayed.

This programming project is to simulate a few CPU scheduling policies discussed in the class. You willwrite a C program to implement a simulator with different scheduling algorithms. The simulator selects atask to run from ready queue based on the scheduling algorithm. Since the project intends to simulate aCPU scheduler, so it does not require any actual process creation or execution. When a task is scheduled,the simulator will simply print out what task is selected to run at a time. It outputs the way similar to Ganttchart style.

Answers

Answer:

FCFS Scheduling Algorithm:-

// C++ program for implementation of FCFS

// scheduling

#include<iostream>

using namespace std;

// Function to find the waiting time for all

// processes

void findWaitingTime(int processes[], int n,

int bt[], int wt[])

{

// waiting time for first process is 0

wt[0] = 0;

// calculating waiting time

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

wt[i] = bt[i-1] + wt[i-1] ;

}

// Function to calculate turn around time

void findTurnAroundTime( int processes[], int n,

int bt[], int wt[], int tat[])

{

// calculating turnaround time by adding

// bt[i] + wt[i]

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

tat[i] = bt[i] + wt[i];

}

//Function to calculate average time

void findavgTime( int processes[], int n, int bt[])

{

int wt[n], tat[n], total_wt = 0, total_tat = 0;

//Function to find waiting time of all processes

findWaitingTime(processes, n, bt, wt);

//Function to find turn around time for all processes

findTurnAroundTime(processes, n, bt, wt, tat);

//Display processes along with all details

cout << "Processes "<< " Burst time "

<< " Waiting time " << " Turn around time\n";

// Calculate total waiting time and total turn

// around time

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

{

total_wt = total_wt + wt[i];

total_tat = total_tat + tat[i];

cout << " " << i+1 << "\t\t" << bt[i] <<"\t "

<< wt[i] <<"\t\t " << tat[i] <<endl;

}

cout << "Average waiting time = "

<< (float)total_wt / (float)n;

cout << "\nAverage turn around time = "

<< (float)total_tat / (float)n;

}

// Driver code

int main()

{

//process id's

int processes[] = { 1, 2, 3};

int n = sizeof processes / sizeof processes[0];

//Burst time of all processes

int burst_time[] = {10, 5, 8};

findavgTime(processes, n, burst_time);

return 0;

}

Explanation:

See output

JAVA
In this exercise, you are given a phrase that starts with ‘A’. If the word after ‘A’ begins with a vowel, add an ‘n’ after the ‘A’, otherwise, return the phrase as is.

Example:

grammer("A word") --> "A word"
grammer("A excellent word") --> "An excellent word"


public String grammar(String phrase)
{
}

Answers

Answer:

Answer is provided in the attached screenshot

Explanation:

The character in the 2nd position will be always be the one we need to check. We then check if that character is a vowel, and replace the string as required.

Final answer:

To modify a phrase that starts with 'A' followed by a word that starts with a vowel by adding an 'n', one must write a Java function that checks the following character and adjusts the string accordingly.

Explanation:

The student's question pertains to a programming exercise in Java where the user needs to modify a string based on whether the word following an 'A' begins with a vowel or not. To solve this, you would need to check the character after the 'A ' for a vowel. If it's a vowel, an 'n' should be added to form 'An'. The Java function would use conditionals to check this and then return the modified or original phrase accordingly.

Here is an example of how the grammar function can be implemented:

public String grammar(String phrase) {
   if(phrase.length() > 2 && phrase.substring(0, 2).equalsIgnoreCase("A ")) {
       char nextChar = phrase.charAt(2);
       if(nextChar == 'a' || nextChar == 'e' || nextChar == 'i' || nextChar == 'o' || nextChar == 'u') {
           return "An " + phrase.substring(2);
       }
   }
   return phrase;
}

Consider the following requests to read data from sectors of a hard drives, where the current position of the head is at sector 103 and the head is moving towards sector 0. What is the order in which the sectors in the queue would be services using the SCAN disk scheduling algorithm? 19, 5, 109, 23, 10, 87, 32, 120, 74, 14, 151, 81, 1, 123, 198

Answers

Answer:

168

Explanation:

=(109-103)+(120-109)+(123-120)+(151-123)+(198-151)+(87-74)+(74-32)+(32-23)+(23-19)+(19-14)+(14-10)+(10-5)+(1-0)

=6+11+3+28+47+3+42+9+4+5+4+5+1

=168

Compose a program to examine the string "Hello, world!\n", and calculate the total decimal numeric value of all the characters in the string (including punctuation marks), less the numeric value of the vowels.
The program should load each letter, add that numerie value to the running total to produce a total sum, and then add the value to a "vowels running total as well. The program will require a loop. You do not need a counter, since the phrase is null terminated. Remember, punctuation (even spaces!) have a numeric value as well.

Answers

Answer:

.data

  str:   .asciiz   "Hello, world!\n"

  output:   .asciiz "\nTotal character numeric sum = "

.text

.globl main

main:

  la $t0,str       # Load the address of the string

  li $t2,0       # Initialize the total value to zero

loop:   lb $t1,($t0)       # Load one byte at a time from the string

  beqz $t1,end       # If byte is a null character end the operation

  add $t2,$t2,$t1       # Else add the numeric value of the byte to the running total

  addi $t0,$t0,1       # Increment the string pointer by 1

  b loop           # Repeat the loop

end:

  # Displaying the output

  li $v0,4       # Code to print the string

  la $a0,output       # Load the address of the string

  syscall           # Call to print the output string

  li $v0,1       # Code to print the integer

  move $a0,$t2       # Put the value to be printed in $a0

  syscall           # Call to print the integer

  # Exiting the program

  li $v0,10       # Code to exit program

  syscall           # Call to exit the program

Explanation:

You’ve done merge (on Lists), so now it’s time to do merge sort (on arrays). Create a public non-final class named MergeSort that extends Merge. Implement a public static method int[] mergesort(int[] values) that returns the input array of ints sorted in ascending order. You will want this method to be recursive, with the base case being an array with zero or one value. If the passed array is null you should return null. If the passed array is empty you should return an empty array. You do not have to sort the array in place, but the returned array does not have to be a copy. To help you your parent class Merge provides two useful class methods: int[] merge(int[] first, int[] second): this merges two sorted arrays into a second sorted array. If either array is null it returns null, so you should not call it on a null array. int[] copyOfRange(int[] original, int from, int to): this acts as a wrapper on Arrays.copyOfRange, accepting the same arguments and using them in the same way. (You can’t use java.util.Arrays in this problem for reasons that will become obvious if you inspect the rest of the documentation…​) Note that the test code will test that you call merge an appropriate number of times, so you should call it to join single-element arrays together.

Answers

Answer:

Kindly check explaination for code

Explanation:

/* Java program for Merge Sort */

class MergeSort

{

// Merges two subarrays of arr[].

// First subarray is arr[l..m]

// Second subarray is arr[m+1..r]

void merge(int arr[], int l, int m, int r)

{

// Find sizes of two subarrays to be merged

int n1 = m - l + 1;

int n2 = r - m;

/* Create temp arrays */

int L[] = new int [n1];

int R[] = new int [n2];

/*Copy data to temp arrays*/

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

L[i] = arr[l + i];

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

R[j] = arr[m + 1+ j];

/* Merge the temp arrays */

// Initial indexes of first and second subarrays

int i = 0, j = 0;

// Initial index of merged subarry array

int k = l;

while (i < n1 && j < n2)

{

if (L[i] <= R[j])

{

arr[k] = L[i];

i++;

}

else

{

arr[k] = R[j];

j++;

}

k++;

}

/* Copy remaining elements of L[] if any */

while (i < n1)

{

arr[k] = L[i];

i++;

k++;

}

/* Copy remaining elements of R[] if any */

while (j < n2)

{

arr[k] = R[j];

j++;

k++;

}

}

// Main function that sorts arr[l..r] using

// merge()

void sort(int arr[], int l, int r)

{

if (l < r)

{

// Find the middle point

int m = (l+r)/2;

// Sort first and second halves

sort(arr, l, m);

sort(arr , m+1, r);

// Merge the sorted halves

merge(arr, l, m, r);

}

}

/* A utility function to print array of size n */

static void printArray(int arr[])

{

int n = arr.length;

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

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

System.out.println();

}

// Driver method

public static void main(String args[])

{

int arr[] = {12, 11, 13, 5, 6, 7};

System.out.println("Given Array");

printArray(arr);

MergeSort ob = new MergeSort();

ob.sort(arr, 0, arr.length-1);

System.out.println("\nSorted array");

printArray(arr);

}

}

Answer:

Check the explanation

Explanation:

/* Java program for Merge Sort */

class MergeSort

{

// Merges two subarrays of arr[].

// First subarray is arr[l..m]

// Second subarray is arr[m+1..r]

void merge(int arr[], int l, int m, int r)

{

// Find sizes of two subarrays to be merged

int n1 = m - l + 1;

int n2 = r - m;

/* Create temp arrays */

int L[] = new int [n1];

int R[] = new int [n2];

/*Copy data to temp arrays*/

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

L[i] = arr[l + i];

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

R[j] = arr[m + 1+ j];

/* Merge the temp arrays */

// Initial indexes of first and second subarrays

int i = 0, j = 0;

// Initial index of merged subarry array

int k = l;

while (i < n1 && j < n2)

{

if (L[i] <= R[j])

{

arr[k] = L[i];

i++;

}

else

{

arr[k] = R[j];

j++;

}

k++;

}

/* Copy remaining elements of L[] if any */

while (i < n1)

{

arr[k] = L[i];

i++;

k++;

}

/* Copy remaining elements of R[] if any */

while (j < n2)

{

arr[k] = R[j];

j++;

k++;

}

}

// Main function that sorts arr[l..r] using

// merge()

void sort(int arr[], int l, int r)

{

if (l < r)

{

// Find the middle point

int m = (l+r)/2;

// Sort first and second halves

sort(arr, l, m);

sort(arr , m+1, r);

// Merge the sorted halves

merge(arr, l, m, r);

}

}

/* A utility function to print array of size n */

static void printArray(int arr[])

{

int n = arr.length;

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

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

System.out.println();

}

// Driver method

public static void main(String args[])

{

int arr[] = {12, 11, 13, 5, 6, 7};

System.out.println("Given Array");

printArray(arr);

MergeSort ob = new MergeSort();

ob.sort(arr, 0, arr.length-1);

System.out.println("\nSorted array");

printArray(arr);

}

}

/* This code is contributed by Rajat Maurya */

16. Budget Analysis Write a program that asks the user to enter the amount that he or she has budgeted for a month. A loop should then prompt the user to enter each of his or her expenses for the month, and keep a running total. When the loop finishes, the program should display the amount that the user is over or under budget.

Answers

Answer:

import java.util.Scanner;

public class num8 {

   public static void main(String[] args) {

       Scanner in = new Scanner(System.in);

       System.out.println("Enter month's budget");

       double monthBudget = in.nextDouble();

       double totalExpenses = 0.0;

       double n;

       do{

           System.out.println("Enter expenses Enter zero to stop");

           n = in.nextDouble();

           totalExpenses += n;

       }while(n>0);

       System.out.println("Total expenses is "+totalExpenses);

System.out.println("The amount over your budget is "+ Math.abs(monthBudget-totalExpenses));

   }

}

Explanation:

Using Java programming languagePrompt user for month's budgetUse Scanner class to receive and store the amount entered in a variableUse a do while loop to continuously request user to enter amount of expensesUse a variable totalExpenses to add up all the expenses inside the do while loopTerminate the loop when user enters 0 as amount.Subtract totalExpenses from monthBudget and display the difference as the amount over the budget

6. In cell K4, create a formula using the IF function to calculate the interest paid on the mortgage (or the difference between the total payments made each year and the total amount of mortgage principal paid each year). a. The formula should first check if the value in cell H4 (the balance remaining on the loan each year) is greater than 0. b. If the value in cell H4 is greater than 0, the formula should return the value in J4 subtracted from the value in cell D5 multiplied by 12. Use a relative cell reference to cell J4 and an absolute cell reference to cell D5. (Hint: Use 12*$D$5-J4 as the is_true argument value in the formula.) c. If the value in cell H4 is not greater than 0, the formula should return a value of 0. Copy the formula from cell K4 into the range K5:K18.

Answers

Answer:

a. =IF(H4>0,12*$D$5-J4,0)

Explanation:

a. =IF(H4>0,12*$D$5-J4,0)

If( H4>0 is the logical test,

12*$D$5-J4 is [value_if_true]

0 is [value_if_false]

b. Referencing to the above formula in (a), which is the required formula which should be typed in cell K4.

Absolute referencing of cell D5 means that this will not change while extending this formula to the entire column. Whereas, since cell H4 and J4 have relative cell referencing, these will change relatively as we extend the formula to the entire column.

Other Questions
What are the coordinates of the point on the directed line segment from (5, -5)(5,5) to (7, 7)(7,7) that partitions the segment into a ratio of 3 to 1? 2. How did the United States influence affairsin Grenada? The ratio of girls and boys in a swimming club was 2:5 .There were 20 girls.How many boys were there at the club? At what river in france were both Germanys initial drive in the fall of 1914 and its spring offensive in 1918 halted After your school's team wins the regional championship, students go to the dorm roof and start setting off fireworks rockets. The rockets explode high in the air and the sound travels out uniformly in all directions. If the sound intensity is 1.52 10-6 W/m2 at a distance of 123 m from the explosion, at what distance from the explosion is the sound intensity half this value Sara's friends like to go out to eat often and they frequently eat at fast food restaurants. sara is obese and her doctor has told her she must lose weight but she has found it very difficult to make any progress. sara's relationship with her friends is negatively impacting her weight because of On July 1, 2019, Pharoah Company purchased new equipment for $80,000. Its estimated useful life was 8 years with a $16,000 salvage value. On January 1, 2022, before making its depreciation entry for 2022, the company estimated the remaining useful life to be 10 years beyond December 31, 2022. The new salvage value is estimated to be $5,000. (a) Correct answer iconYour answer is correct. Prepare the journal entry to record depreciation on December 31, 2019. A scientist traversing a remote wooded area discovers what he thinks is a new plant species. He observes a variety of characteristics and concludes that the plant is an angiosperm. What is one possible supporting observation for this conclusion? Need help on 3/4 please help me fast please read it and help me !!!!!!!!!fast!!!!!!! What was the North's interpretation to the constitution and the South's interpretation?PLS HELP What would you not find in the cerebral cortex? What was a characteristic of the legal system in the Twelve Tables? can someone help me? 3 2/5 - 1 4/5=? I need help studying! The brainliest gets 20 points!! What role did laissez-faire economics advocate for the government in trade and manufacturing?a.) It should promote them.b.)It should ignore them.c.) It should interfere as little as possible in them.d.) It should make them as fair as possible to all participants.What was Chief Justice John Marshall's view of the judicial branch?a.) It hadn't used its power properly.b.) It was weaker than the other branches of government.c.)It was the most important branch.d.) It should obey all laws passed by Congress.What was most significant about the Louisiana Purchase?It greatly increased the size of the United States.It gave Napoleon funds he needed to wage war.It put the port of New Orleans under American control.It greatly increased the new nation's access to natural resources.What most infuriated Americans about the way that British ships interfered with American trading ships?Impressmentignoring neutralityloss of profits from tradescorn for American powerWhat reason did Jefferson give for urging passage of the Embargo Act?to protect American tradersto avoid war over seized shipsto increase the power of the Republican Partyto decrease the power and influence of New England merchants The scientist shown at the Kenai Peninsula in Alaska was monitoring a station that measures ________________________________________ in order to analyze earthquake activity. Dr. Zhang notices that his client, Lucian, becomes very defensive when asked to elaborate on his financial difficulties. Dr. Zhang infers that Lucian has likely been defensive with his parents and supervisors at work. What technique is Dr. Zhang using to make his inference? Caffeine leaves a child's body at a rate of 15 % per hour . A child drinks a beverage containing How long until half the caffiene is gone ? Tell if an elm tree would be vascular or non-vascular One possible explanation for a galaxy's type invokes the angular momentum of the protogalactic cloud from which it formed. Suppose a galaxy forms from a protogalactic cloud with a lot of angular momentum. Assuming its type has not changed as a result of other interactions, we'd expect this galaxy to be ______. PLEASE PLEASE HELP ME!Which of the following information is confirmed when the patient is in the preoperative process?a.The name of the first school he or she attendedb.The color of the cast he or she prefers if his surgery requires a castc.Whether he or she walked to the surgery from homeD.Whether he or she has been nil per os