In Java, variables of the super class class can point to objects of the subclass. For example, if Student is a super class to Athletes, then any variable (say s) of type Student can point to either Student or Athlete objects. Sometimes we want to know exactly whether s is pointing to Student or pointing to Athlete. This can be accomplished with an if statement. Complete the missing part in the following if statement so it prints YES if the variable s is currently pointing to an Athlete if (s ____________ Athlete) System.out.print("YES");

Answers

Answer 1

Answer:

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

Explanation:

The "instanceof" is a statement in java, which is used to check for an object that any object is derived from that class or not. The syntax of this statement is "object instanceof class name". If the object is derived from declared class, then it will result in true or otherwise it will result in false.The above question asked about that condition which is used to check that the s object is derived from the Athlete class or not so when the if condition blanks will fill from the "instanceof", then the user will get the if condition which can check. Hence "instanceof" is the correct answer.


Related Questions

Write the definition of a method printAttitude, which has an int parameter and returns nothing. The method prints a message to standard output depending on the value of its parameter. If the parameter equals 1, the method prints disagree. If the parameter equals 2, the method prints no opinion. If the parameter equals 3, the method prints agree. In the case of other values, the method does nothing.

Answers

Answer:

void printAttitude (int pint){

if (pint == 1){

System.out.println("disagree");

}

if (pint == 2){

System.out.println("no opinion");

}

if (pint == 3){

System.out.println("agree");

}

}

Explanation:

Answer:

public class num4 {

   public static void main(String[] args) {

       int para =2;

       printAttitude(para);

   }

   static void printAttitude( int para){

       if(para==1){

           System.out.println("disagree");

       }

       else if (para == 2){

           System.out.println("no option");

       }

       else if (para==3){

           System.out.println("agree");

       }

   }

}

Explanation:

Using Java Programming language:

Three if and else if statements are created to handle the conditions as given in the question (1,2,3) The output of disagree, no option and agree respectively is displayed using Java's output method System.out.println When these conditions are true

No else statement is provided to handle situations when the parameter value is neither (1,2,3), as a result, then program will do nothing and simply exits.

Search online for a Request for Proposal relating to IT. Critically evaluate the proposal. If you were a vendor receiving this proposal, do you have enough information to reply with a quote. What is good? What is missing? What would you change?

Answers

Answer and Explanation:

The company of that same Pasadena area thereafter named as "Center" allows RFP to apply regarding contracts for Contractor, but should not be restricted to providing the information infrastructure facilities to complement the Centre's in-house development solutions at either the optimum level of benefits.The contractor or provider shall offer the best facilities on just the basis of the services listed in the preceding documentation by sending two formal submissions no earlier than noon 14 December 2016 to certain stakeholders are encouraged to react towards this RFP.Sure I would also have bought that if I were a dealer since it is worth the investment.

So, it's the right answer.

A company ABC asked you to design a simple payroll program that calculates and employee's weekly gross pay, including any overtime wages. If employees work over 40 hours in a week, they will get 1.5 times of their regular hourly rate for all hours over 40. Your program asks the user to input hours worked for a week, regular hourly rate, and then display the weekly gross pay. Draw the Raptor flowchart to represent the logic of the problem. Name the Raptor flowchart file as lab5.rap. Output sample Enter weekly hours worked: 35 Enter hourly rate: 30 Weekly gross pay: $ 1050 Output sample Enter weekly hours worked: 50 Enter hourly rate: 30 Weekly gross pay: $ 1650

Answers

Answer:

C++.

#include <iostream>

using namespace std;

////////////////////////////////////////////////////////////////

int main() {

   int weekly_hours = 0;

   int hourly_rate;

   float gross_pay = 0;

   cout<<"Enter weekly hours worked: ";

   cin>>weekly_hours;

   

   cout<<"Enter hourly rate: ";

   cin>>hourly_rate;

   

   cout<<endl;

   ////////////////////////////////////////////////

   if (weekly_hours > 40) {

       gross_pay = (weekly_hours*hourly_rate) + ((weekly_hours*hourly_rate)*0.5);

   }

   else

       gross_pay = weekly_hours*hourly_rate;

       

   cout<<"Weekly gross pay: $"<<gross_pay;

   ////////////////////////////////////////////////

   return 0;

}

What term is defined as a private data placed in a packet with a header containing routing information that allows the data to travel across a network, such as the Internet?

Answers

Answer:

Data encapsulation

Explanation:

When we send data to someone else across another network, this data travels down a stack of layers of the TCP/IP model. Each layer of the TCP/IP layer encapsulates data or hides the data by adding headers and sometimes trailers. This packaging is what is known as data encapsulation. The data starts at the application layer and trickles down beneath. As it moves down the layers, it is encoded or compressed to a standard format and sometimes encrypted for security purposes.

Write a program that declares constants to represent the number of inches, feet, and yards in a mile. Name the constants INCHES_IN_MILE, FEET_IN_MILE, and YARDS_IN_MILE respectively. Also declare a variable named miles to represent a number of miles. Compute and display, with explanatory text, the value in inches, feet, and yards—for example: 4.0 miles is 253440.0 inches, or 21120.0 feet, or 7040.0 yards

Answers

Answer:

The cpp program for conversion is given below.

#include <iostream>

using namespace std;

 

int main() {

 

// declaring and initializing constant variables with standard values

   const  double INCHES_IN_MILE=63360;

   const  double FEET_IN_MILE=5280;

   const  double YARDS_IN_MILE=1760;

   

   // declaring and initializing miles with a random value

   double miles=4.0;

   

// declaring and computing inches in miles

double inch = INCHES_IN_MILE*miles;

 

// declaring and computing feet in miles

double feet = FEET_IN_MILE*miles;

 

// declaring and computing yards in miles

double yard = YARDS_IN_MILE*miles;

 

// displaying all the calculated values

std::cout<<miles<<" miles is "<<inch<<" inches"<<std::endl;

std::cout<<miles<<" miles is "<<feet<<" feet"<<std::endl;

       std::cout<<miles<<" miles is "<<yard<<" yards"<<std::endl;

   

       return 0;      

}

OUTPUT

4 miles is 253440 inches

4 miles is 21120 feet

4 miles is 7040 yards

Explanation:

The steps in the program are as described.

1. All the three constant variables, mentioned in the question, are declared as double and initialized. These variables hold the fixed conversion values for inches, feet and yards in one mile.

2. The variables are declared constant using the keyword, const.

3. The variable to hold value for mile, miles, is declared as double and initialized with a random value.

4. Next, three more variables are declared as double. These variables will hold the calculated values for inches, feet and yards in the given value of mile.

5. The values are calculated for inches, feet and yards for the given value of variable, miles and stored in the variables mentioned in step 3.

6. These values are displayed to the console along with explanations.

7. The program ends with the return statement.

8. The value of variable, miles, is hard coded in the program and not taken from the user.

9. There is no interaction with the user in this program as this is not mentioned in the question.

10. The program works for all numeric value of the variable, miles, since double accepts integers also.

11. The program can be tested by changing the value of variable, miles.

Write a function called name_facts that will take a firstname (string) as an input parameter, and print out various facts about the name, including:
1) its length, 2) whether it starts with the letter A, and 3) whether it contains a Z or X.
To gain full credit for this exercise, you must use string formatting to print out the result. Hints: You will probably want to convert the string to lowercase when checking conditions 2 and 3. You can get by without it, but you'll have to make sure you check both lower and uppercase versions of the letters. You will have to use the in operator for condition 3. You will also probably want to make a separate message for conditions 2 and 3 (depending on the answer) and use string formatting to join them into the final message.

Answers

Answer:

def name_facts(firstname):

   print("Your name is",len(firstname),"letters long",end=", ")

   if(firstname[0] == 'A'):

       print("does start with the letter A",end=", ")

   else:

       print("does not start with the letter A", end=", ")

   if(firstname.count('Z')>0 or firstname.count('X')>0):

       print("and does not contain a Z or X")

   else:

       print("and does not contain a Z or X")

#Testing

name_facts("Allegra")

name_facts("Xander")

Explanation:

Answer:

// Comments are used for explanatory purpose

// Program starts here

#include<iostream>

using namespace std;

int main()

{

// Declare firstname

string firstname;

//Prompt to enter firstname

cout<<"What's your first name: ";

// Accept input

cin>>firstname;

// A. Get string's length

int length = firstname.length();

// Print length

cout<<"Length = "<<length<<endl;

// Copy string to chat array

char char_array[length + 1];

// copying the contents of the string to char array

strcpy(char_array, firstname.c_str());

// B. Check if it starts with letter A

if(char_array[0] == 'A')

{

cout<<"Your Firstname begins with letter A"<<endl;

}

else

{

cout<<"Your Firstname doesn't begin with letter A"<<endl;

}

// Check if it contains X or Z

int k = 0;

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

if(char_array[i] == 'Z' || char_array[i] == 'X')

{

k++;

}

if(k == 0)

{cout<<"Your Firstname doesn't contain Z or X";}

else

{cout<<"Your Firstname contains Z or X";}

}

return 0;

}

Define the body of the function read_data(filename). If filename is None, return the sentence (already defined for your), otherwise return the contents of the file (whose name is in the parameter filename). If there is any error during the opening or reading of the file, print out a warning and return sentence. If you haven't completed the lesson on Python local I/O, do so now.

Answers

Answer:

Answer explained

Explanation:

The main difference between parse_text_into_words( v1 and v2) is I have used splitlines also in v1 so the escape sequence '\n' will not be present in the list of words. while in v2 only split function is used so it will have '\n' present in words list.

Code:

def read_file(fileName = None):

  try:

      File = open(fileName,"r") # opening file in read mode

      for row in File:          # for each line in File

          print(row,end="")

  except IOError:      # handling exception of file opening

      print("Could not read file:",fileName)

def parse_text_into_words_v1(text):

  list_words = []

  list_lines = text.splitlines()

  for i in list_lines:

      list_words.extend(i.split(' '))

  return list_words

def parse_text_into_words_v2(text):

  list_words = []

  list_words.extend(text.split(' '))

  return list_words

def determine_difference(a_list,b_list):

  print("first list:",a_list)

  print("second list:",b_list)

  a_set = set(a_list)

  b_set = set(b_list)

  diff = a_set - b_set

  diff = list(diff)

  print("\nDifference between 2 sets: ",diff)

if __name__ == '__main__':

  print("Reading file using function read_file() to read \"data.txt\" :")

  read_file("data.txt")

  print("\n\n")

  t = '''vhfhyh ghgggj ghchvjhvj'''

  print("\nDemonstrating implementation of parse_text_into_words_v1:")

  l = parse_text_into_words_v1(t) # calling function with text parameter

  print("list of words:")

  print(l)

  print("\nDemonstrating implementation of parse_text_into_words_v2:")

  b = parse_text_into_words_v2(t) # calling function with text parameter

  print("list of words:")

  print(b)

  print("\nDemonstrating difference between two lists")

  a_list = [1,2,3,4,5,6,7,8,9,10]

  b_list = [2,4,6,8,10]

  determine_difference(a_list,b_list) # passing two list to take difference

Write a setInterval() function that increases the count by 1 and displays the new count in counterElement every 100 milliseconds. Call clearInterval() to cancel the interval when the count displays 4.

Answers

Answer:

var count = 0;

var counterElement = document.getElementById("counter");

counterElement.innerHTML = count;

var interval = setInterval(function () {

   count++;

   counterElement.innerHTML = count;

   if (count === 4) {

       clearTimeout(interval);

   }

}, 100);

Explanation:

Create a C# GUI Windows Form application named JobDemo that declares and uses Job objects. The Job class holds job information for a home repair service. The class has five properties that include a job number, customer name, job description, estimated hours, and price for the job. Create a constructor that requires parameters for all the data except price. Include auto-implemented properties for the job number, customer name, and job description, but not for hours or price; the price field value is calculated as estimated hours times $45.00 whenever the hours value is set.

Also create the following for the class:

An Equals() method that determines two Jobs are equal if they have the same job number A ToString() method that returns a string containing all job information

The JobDemo Windows Form declares a few Job objects, sets their values, and demonstrates that all the methods work as expected.

Using the Job class you created in (a), write a new application named JobDemo2 that creates an array of five Job objects. Prompt the user for values for each Job. Do not allow duplicate job numbers; force the user to reenter the job when a duplicate job number is entered. When five valid objects have been entered (use List), display them all, plus a total of all prices.

Create a RushJob class that derives from Job. A RushJob has a $150.00 premium that is added to the normal price of the job. Override any methods in the parent class as necessary. Create a new Windows Form named JobDemo3 that creates an a List of five RushJobs. Prompt the user for values for each, and do not allow duplicates

Create a RushJob class that derives from Job. A RushJob has a $150.00 premium that is added to the normal price of the job. Override any methods in the parent class as necessary. Write a new Windows Form named JobDemo3 that creates a List of five RushJobs. Prompt the user for values for each, and do not allow duplicate job numbers. When five valid RushJob objects have been entered, display them all, plus a total of all prices. Make any necessary modifications to the RushJob class so that it can be sorted by job number.

Answers

Here's the implementation for the requested tasks:

### Job Class

```csharp

using System;

public class Job

{

   private static int nextJobNumber = 1;

   public int JobNumber { get; }

   public string CustomerName { get; set; }

   public string JobDescription { get; set; }

   public double EstimatedHours { get; set; }

   public double Price => EstimatedHours * 45.00;

   public Job(string customerName, string jobDescription, double estimatedHours)

   {

       JobNumber = nextJobNumber++;

       CustomerName = customerName;

       JobDescription = jobDescription;

       EstimatedHours = estimatedHours;

   }

   public override bool Equals(object obj)

   {

       if (obj == null || GetType() != obj.GetType())

       {

           return false;

       }

       Job otherJob = (Job)obj;

       return JobNumber == otherJob.JobNumber;

   }

   public override int GetHashCode()

   {

       return JobNumber.GetHashCode();

   }

   public override string ToString()

   {

       return $"Job Number: {JobNumber}, Customer Name: {CustomerName}, Job Description: {JobDescription}, Estimated Hours: {EstimatedHours}, Price: {Price:C}";

   }

}

```

### JobDemo Form

```csharp

using System;

using System.Collections.Generic;

using System.Windows.Forms;

namespace JobDemo

{

   public partial class JobDemoForm : Form

   {

       private List<Job> jobs = new List<Job>();

       public JobDemoForm()

       {

           InitializeComponent();

       }

       private void addButton_Click(object sender, EventArgs e)

       {

           string customerName = customerNameTextBox.Text;

           string jobDescription = jobDescriptionTextBox.Text;

           double estimatedHours;

           if (double.TryParse(estimatedHoursTextBox.Text, out estimatedHours))

           {

               Job job = new Job(customerName, jobDescription, estimatedHours);

               if (!jobs.Contains(job))

               {

                   jobs.Add(job);

                   outputListBox.Items.Add(job.ToString());

                   totalLabel.Text = $"Total: {CalculateTotal():C}";

               }

               else

               {

                   MessageBox.Show("Duplicate job number. Please enter a unique job number.");

               }

           }

           else

           {

               MessageBox.Show("Invalid estimated hours. Please enter a valid number.");

           }

       }

       private double CalculateTotal()

       {

           double total = 0;

           foreach (var job in jobs)

           {

               total += job.Price;

           }

           return total;

       }

   }

}

```

### RushJob Class

```csharp

public class RushJob : Job, IComparable<RushJob>

{

   private const double RushJobPremium = 150.00;

   public RushJob(string customerName, string jobDescription, double estimatedHours)

       : base(customerName, jobDescription, estimatedHours)

   {

   }

   public override double Price => base.Price + RushJobPremium;

   public int CompareTo(RushJob other)

   {

       return JobNumber.CompareTo(other.JobNumber);

   }

}

```

### JobDemo3 Form

```csharp

using System;

using System.Collections.Generic;

using System.Linq;

using System.Windows.Forms;

namespace JobDemo

{

   public partial class JobDemo3Form : Form

   {

       private List<RushJob> rushJobs = new List<RushJob>();

       public JobDemo3Form()

       {

           InitializeComponent();

       }

       private void addButton_Click(object sender, EventArgs e)

       {

           string customerName = customerNameTextBox.Text;

           string jobDescription = jobDescriptionTextBox.Text;

           double estimatedHours;

           if (double.TryParse(estimatedHoursTextBox.Text, out estimatedHours))

           {

               RushJob rushJob = new RushJob(customerName, jobDescription, estimatedHours);

               if (!rushJobs.Any(rj => rj.JobNumber == rushJob.JobNumber))

               {

                   rushJobs.Add(rushJob);

                   outputListBox.Items.Add(rushJob.ToString());

                   totalLabel.Text = $"Total: {CalculateTotal():C}";

               }

               else

               {

                   MessageBox.Show("Duplicate job number. Please enter a unique job number.");

               }

           }

           else

           {

               MessageBox.Show("Invalid estimated hours. Please enter a valid number.");

           }

       }

       private double CalculateTotal()

       {

           double total = 0;

           foreach (var rushJob in rushJobs)

           {

               total += rushJob.Price;

           }

           return total;

       }

   }

}

This code should fulfill the requirements you've specified. Let me know if you need further assistance!

Chapter 4 is called Claimed Spaces: ""Preparatory Privilege"" and High School Computer Science. Explain two concepts from chapter 4 that create ‘claimed spaces’ (2-3 sentences). Describe an example from your own experience of a claimed space (2-3 sentences)

Answers

Answer: isolation, predominant gender.

Explanation:

Isolation some students felt they were not as smart as their peers and as such were afraid to make contributions because they didn't want to be rediculed by Their peers or tutors.

Predominant gender most calsses are dominated by a certain gender which makes the other gender harbour fears and insecurity

I had difficulty in maths in high school, was always afraid when in class to make contributions because i was insecure, if i had spoken up or met my tutors maybe i would have being better at it

Consider the following code: // Linked Lists: TRAVERSE

struct ListNode { int data; struct ListNode *next; };

Assume that a linked list has been created and head points to a sentinel node. A sentinel node is an empty data node in the beginning of the list. It sometimes holds a sentinel value. The use of sentinel nodes is a popular trick to simplify the insert and delete operations.

You may also assume that the list is not empty. Each node in the list contains an integer representing a digit in a number. The data in the sentinel node is -1.

For instance, n = 234 will be stored as {-1, 4, 3, 2} in the linked list.

Write a function based on the list traversal named computeNumFromList that is passed the pointer to the first node in the list, it prints the digits in the list one per line, and it returns a long integer, the number calculated from its digits in the list (234 see the above example). You may assume that long int will hold the converted number (no need to check for numeric overflow).

Answers

Answer:

See attached file for detailed code.

Explanation:

See attached file.

Write a program that generates a random integer number in the range of 1 through 100 inclusively, and then asks the user to guess what the number is (User should be informed at the beginning that the number is between 1 to 100). If the user’s guess (input) is higher than the random number, the program should display "Too high, try again." If the user’s guess is lower than the random number, the program should display "Too low, try again." If the user guesses the number, the program should congratulate the user with a message as well as to display the number of guesses to get the right number. Next asking the user if he/she wants to play one more time. If yes, then generate a new random number so the game can start over

Answers

Answer:

Here is the Python program:

import random  #to generate random numbers

low = 1  #lowest range of a guess

high = 100  #highest range of a guess

attempts=0   # no of attempts

def guess_number(low, high, attempts):  #function for guessing a number

   print("Guess a number between 1 and 100")      

#prompts user to enter an integer between 1 to 100 as a guess

   number = random.randint(low, high)  

#return randoms digits from low to high

   for _ in range(attempts):  #loop to make guesses

       guess = input("Enter a number: ")   #prompts user to enter a guess

       num = int(guess)  #reads the input guess

       if num == number:  # if num is equal to the guess number

           print('Congratulations! You guessed the right number!')    

           command= input("Do you want to play another game? ")

#asks user if he wants to play another game

           if command=='Y':  #if user enters Y  

               guess_number(low,high,attempts)  #starts game again

           elif command=='N':  #if user types N

               exit() #exits the program

       elif num < number:   #if user entered a no less than random no

           print('Too low, Try Higher')  # program prompts user to enter higher no

       elif num > number: #if user entered a no greater than random no

           print('Too high, Try Lower') # program prompts user to enter lower no

       else:  #if user enters anything else

           print("You must enter a valid integer.")  

#if user guessed wrong number till the given attempts

   print("You failed to guess the number correctly in {attempts} attempts.".format(attempts=attempts))  

   exit() # program exits

Explanation:

The program has a function guess_number which takes three parameters, high and low are the range set for the user to enter the number in this range and attempts is the number of tries given to the user to guess the number.

random.randint() generates integers in a given range, here the range is specified i.e from 1 to 100. So it generates random number from this range.

For loop keeps asking the user to make attempts in guessing a number and the number of tries the user is given is specified in the attempts variable.

If the number entered by the user is equal to the random number then this message is displayed: Congratulations! You guessed the right number! Then the user is asked if he wants to play one more time and if he types Y the game starts again but if he types N then the exit() function exits the game.

If the number entered as guess is higher than the random number then this message is displayed Too high, Try Lower and if the number entered as guess is lower than the random number then this message is displayed Too low, Try Higher.

If the user fails to guess the number in given attempts then the following message is displayed and program ends. You failed to guess the number correctly in {attempts} attempts.

You can call this function in main by passing value to this function to see the output on the screen.

guess_number(1, 100, 5)

The output is shown in screenshot attached.

We have seen in class that the sets of both regular and context-free languages are closed under the union, concatenation, and star operations. We have also seen in A2 that the regular languages are closed under intersection and complement. In this question, you will investigate whether the latter also holds for context-free languages.
(a) Use the languages A = {a^mb^nc^n \ m, n greaterthanorequalto 0} and B = {a^nb^nc^m \ m, n greaterthanorequalto 0} to show that the class of context-free languages is not closed under intersection. You may use the fact that the language C = {a^nb^nc^n | n greaterthanorequalto 0} is not context-free.
(b) Using part (a) above, show now that the set of context-free languages is not closed under complement.

Answers

Answer:

Attached is the solution. Hope it helps:

a) The class of context-free languages is not closed under intersection, as shown by the example of[tex]A = [ a^m b^n c^n | m, n \geq 0 ][/tex] and [tex]B = [a^n b^n c^m | m, n \geq 0 ][/tex]

Given that;

We have seen in class that the sets of both regular and context-free languages are closed under the union, concatenation, and star operations.

(a) We're given two languages A and B:

[tex]A = [ a^m b^n c^n | m, n \geq 0 ][/tex]

[tex]B = [a^n b^n c^m | m, n \geq 0 ][/tex]

We want to show that the intersection of A and B is not context-free.

To do this, we can use the fact that the language [tex]C = [a^n b^n c^n | n \geq 0 ][/tex] is not context-free.

Assume for contradiction that the intersection of A and B, which we'll call D, is context-free.

Since context-free languages are closed under intersection, we'd have D = A ∩ B is also a context-free language.

Now, notice that D is a subset of C (if a string belongs to D, it must belong to C as well).

However, C is not context-free, as given.

This contradicts our assumption that D is context-free.

Therefore, we can conclude that the class of context-free languages is not closed under intersection, as shown by the example of[tex]A = [ a^m b^n c^n | m, n \geq 0 ][/tex] and [tex]B = [a^n b^n c^m | m, n \geq 0 ][/tex]

(b) Using the result from part (a), we can now show that the set of context-free languages is not closed under complementation.

Let's consider the complement of a context-free language.

If the complement of a context-free language were always context-free, we could take the complement of C and obtain a context-free language.

However, as established earlier, C is not context-free.

Hence, we can conclude that the set of context-free languages is not closed under complementation.

Learn more about Programs here:

brainly.com/question/14368396

#SPJ3

Write a test program that creates two Rectangle objects—one with width 4 and height 40 and the other with width 3.5 and height 35.7. Display the width, height, area, and perimeter of each rectangle in this order.

Answers

Answer:

public class Rectangle {

   private double width;

   private double heigth;

   public Rectangle(double width, double heigth) {

       this.width = width;

       this.heigth = heigth;

   }

   public double getWidth() {

       return width;

   }

   public void setWidth(double width) {

       this.width = width;

   }

   public double getHeigth() {

       return heigth;

   }

   public void setHeigth(double heigth) {

       this.heigth = heigth;

   }

   public double perimeter(double width, double heigth){

       double peri = 2*(width+heigth);

       return peri;

   }

   public double area(double width, double heigth){

       double area = width*heigth;

       return  area;

   }

}

class RectangleTest{

   public static void main(String[] args) {

       //Creating two Rectangle objects

       Rectangle rectangle1 = new Rectangle(4,40);

       Rectangle rectangle2 = new Rectangle(3.5, 35.7);

       //Calling methods on the first Rectangel objects

       System.out.println("The Height of Rectangle 1 is: "+rectangle1.getHeigth());

       System.out.println("The Width of Rectangle 1 is: "+rectangle1.getWidth());

       System.out.println("The Perimeter of Rectangle 1 is: "+rectangle1.perimeter(4,40));

       System.out.println("The Area of Rectangle 1 is: "+rectangle1.area(4,40));

       // Second Rectangle object

       System.out.println("The Height of Rectangle 2 is: "+rectangle2.getHeigth());

       System.out.println("The Width of Rectangle 2 is: "+rectangle2.getWidth());

       System.out.println("The Perimeter of Rectangle 2 is: "+rectangle2.perimeter(4,40));

       System.out.println("The Area of Rectangle 2 is: "+rectangle2.area(4,40));

   }

}

Explanation:

Firstly A Rectangle class is created with two fields for width and heigth, a constructor and getters and setters the class also has methods for finding area and perimetersThen a RectangleTest class containing a main method is created and two Rectangle objects are created (Follow teh comments in the code)Methods to get height, width, area and perimeter are called on each rectangle object to print the appropriate value

Read the PIC Data sheet Chapter 2.0 and 3.0 2. List at least 3 big differences between the Flash and RAM 3. How many RAM locations are there and how many bits in each location 4. How many Flash locations are there and how many bits in each location 5. Based on the diagram in figure 2-1, what memory are the configuration words associated with 6. In section 3.5.2 there is a description of Linear Data Memory". This is accessed using indirect addressing via the registers FS0 or FSland it allows one to have an array or buffer that is more than 80 bytes long. Explain why this is needed. 7. When you access data RAM, you must always make sure that the BSR is pointing to the right memory bank if you are using the normal mode of direct addressing. Are there any locations in data RAM where you don't have to worry about having the right bank selected? Explain your answer.

Answers

Final answer:

Flash and RAM are two types of memory used in microcontrollers like PIC, with differences such as Flash being non-volatile and RAM being volatile. Configuration words are usually stored in Flash memory, and special linear data memory can be used for larger structures. Even while accessing data RAM, the Bank Select Register should typically be set to the correct bank, but some common areas are accessible from all banks.

Explanation:

1. Flash and RAM are two types of memories used in microcontrollers like PIC, with significant differences. Flash Memory, being non-volatile, retains its information even when power is turned off, generally used for storing the program. On the other side, RAM (Random Access Memory) is volatile and loses its information when power is removed, typically used for temporary storage during program execution.

2+3. The specific number of RAM and Flash locations, as well as the bit size at each location, depends on the specific PIC microcontroller model. In general, one could read these details from the datasheet for the specific part.

4. Configuration words are usually associated with the Flash memory, as they are used to set up certain parameters for the chip that remain constant during operation.

5. Linear Data Memory is important for larger data structures such as arrays or buffers that require more than 80 bytes. Having this extra memory space allows more complex calculations and data manipulations.

6. Lastly, when accessing data RAM with direct addressing, the correct memory bank that includes our desired memory location should be selected into the BSR (Bank Select Register). However, there are ‘common’ areas in data RAM accessible from all banks, typically which include Special Function Registers (SFRs) and some general purpose registers.

Learn more about Memory Management in Microcontrollers here:

https://brainly.com/question/33223494

#SPJ3

You need to write a program that reads in the mass of an object (in kg) and output the weight (in N) on the Earth, on the Moon, and on Venus. An object's mass can be measured in kilograms. The weight is measured in newtons. So an object of a specific mass (in kilograms) would have one weight (in newtons) on the earth and a different weight on the moon. Your program will read in the mass (in kilograms) and convert it to newtons for the Earth, the Moon, and Venus. So, on the Earth we can convert kilograms to newtons with the following expression: weight = mass * 9.81 where 9.81 is the acceleration due to gravity on earth (in meters per second squared or m/s^2). On the Moon this formula would be: weight = mass * 1.62 where 1.62 is the acceleration due to gravity on the moon (m/s^2) Finally, for Venus it would be: weight = mass * 8.87

Answers

Answer:

#include <iostream>

#include<iomanip>

using namespace std;

int main()

{

double mass,e,m,v;

cout<<"Enter the mass : ";

cin>>mass;

cout<<"The mass is "<<mass<<" kg\n";

if(mass<=0){

cout<<" mass must be greater than zero";

return 0;

}

e= mass * 9.81;

m= mass * 1.62;

v = mass * 8.87;

cout.setf(ios::fixed);

cout<<"Location"<<right<<setw(10)<<"Weight\n";

cout<<"Earth"<<right<<setw(15)<<setprecision(4)<<e<<endl;

cout<<"Moon"<<right<<setw(15)<<setprecision(4)<<m<<endl;

cout<<"Venus"<<right<<setw(15)<<setprecision(4)<<v<<endl;

cout<<endl<<endl;

if(m>=1500)

cout<<"Object is light weight";

else

cout<<"Object is heavy weight";

}

Explanation:

Final answer:

An object's weight is calculated by multiplying its mass by the acceleration due to gravity, which varies by celestial body. On Earth, the weight is the mass times 9.81 m/s², while on the Moon it is mass times 1.62 m/s², and on Venus, the weight is calculated with an acceleration due to gravity of 8.87 m/s².

Explanation:

The mass of an object is a measure of the amount of matter in that object and does not change regardless of the object's location. On the other hand, weight is the force exerted by gravity on an object and is calculated by multiplying the mass (in kilograms) by the acceleration due to gravity (in meters per second squared, m/s²). This acceleration due to gravity varies depending on the celestial body.

On Earth, the acceleration due to gravity is approximately 9.81 m/s², which means that an object's weight can be calculated as its mass multiplied by 9.81. For example, a mass of 100 kg on Earth would have a weight of 981 Newtons (N).

The Moon's gravitational acceleration is much lower, around 1.62 m/s². Thus, the same 100 kg object would weigh 162 N on the Moon. It's clear that, although mass remains consistent, weight varies significantly depending on the acceleration due to gravity at the location.

Similarly, on Venus, the acceleration due to gravity is 8.87 m/s². To find the weight of an object on Venus, you multiply its mass by this acceleration. So, a 100 kg object would weigh approximately 887 N on Venus.

The distinction between mass and weight is important as it highlights that weight can change locationally due to variations in gravitational pull, while mass is an intrinsic property of an object that does not change with location.

Modify the URL_reader.py program to use urllib instead of a socket. This code should still process the incoming data in chunks, and the size of each chunk should be 512 characters.

Answers

Answer:see the picture attached

Explanation:

Once sales are​ forecasted, ________ must be generated to estimate required raw materials. A. a pro forma statement B. a production plan C. a cash budget

Answers

Answer:

Option B i.e., a production plan.

Explanation:

While sales are estimated, the manufacturing schedule for estimating the necessary raw materials should be produced.

So when the revenue is already estimated then at that time the manufacturing schedule should be produced approximately that raw material which is needed, so the following option is correct according to the scenario.

Option a is incorrect because it is not related to the following scenario.Option B is incorrect because in the above statement, it is not mentioned or related to the budget plan.

In this chapter, you saw an example of how to write an algorithm that determines whether a number is even or odd. Write a program that generates 100 random numbers and keeps a count of how many of those random numbers are even, and how many of them are odd.]

Answers

Answer:

// Program is written in Java Programming Language

// Comments are used for explanatory purpose

// Program starts here

public class RandomOddEve {

/** Main Method */

public static void main(String[] args) {

int[] nums = new int[100]; // Declare an array of 100 integers

// Store the counts of 100 random numbers

for (int i = 1; i <= 100; i++) {

nums[(int)(Math.random() * 10)]++;

}

int odd = 0, even = 0; // declare even and odd variables to 0, respectively

// Both variables will serve a counters

// Check for odd and even numbers

for(int I = 0; I<100; I++)

{

if (nums[I]%2 == 0) {// Even number.

even++;

}

else // Odd number.

{

odd++;

}

}

//.Print Results

System.out.print("Odd number = "+odd);

System.out.print("Even number = "+even);

}

Answer:

Complete python code along with comments to explain the whole code is given below.

Python Code with Explanation:

# import random module to use randint function

import random

# counter variables to store the number of even and odd numbers

even = 0

odd = 0

# list to store randomly generated numbers

random_num=[]

# A for loop is used to generate 100 random numbers

for i in range(100):

# generate a random number from 0 to 100 and append it to the list

   random_num.append(random.randint(0,100))

# check if ith number in the list is divisible by 2 then it is even

   if random_num[i] % 2==0:

# add one to the even counter

        even+=1

# if it is not even number then it must be an odd number

   else:

# add one to the odd counter

        odd+=1

# finally print the count number of even and odd numbers

print("Total Even Random Numbers are: ",even)

print("Total Odd Random Numbers are: ",odd)

Output:

Total Even Random Numbers are: 60

Total Odd Random Numbers are: 40

Total Even Random Numbers are: 54

Total Odd Random Numbers are: 46

The ______ network became functional in 1969, linking scientific and academic researchers across the United States. Group of answer choices ARPANET NETAMERICA INTRANET AMERINET

Answers

Answer:

The ARPANET network became functional in 1969, linking scientific and academic researchers across the United States.

Explanation:

ARPA Net is the network that has become functional in 1969 in united States. The basic purpose of this network is to link all the researchers and scientists across united states. The full form of ARPANet is Advanced Research Project Agency Network.

The importance of this network is increase because small chunks of data that are called packets has been proposed for data transmission in the network. The data is divided into small packets and send it over the network, at destination point these packets are combined together and become orignal information.

When it comes to social media technologies and formal learning in the corporate environment, the only social media platform that can be used effectively for teaching and learning purposes is Twitter (Steer, 2015).

Answers

Ootions: TRUE OR FALSE

Answer: FALSE

Explanation: According to (Steer,2015) there are many platforms for learning and teaching purposes in corporate Organisations, they include PINTEREST,WIKI,GOOGLE+, LINKEDIN,TWITTER etc, The social media platforms are available for effective and efficient Communication and has been the main driving force for Businesses the world over.

These social media platforms have aided the growth and expansion of product marketing strategies and enhanced the over all business efficiency.

Consider a point to point link 50 km in length. At what speed would propagation delay (at a speed 2 x 108 meters/second) equal transmit delay for 100 byte packets.

Answers

Answer:

The bandwidth is 3200 Kbps

Explanation:

Given:

The length of the point to point link = 50 km = 50×10³ = 50000 m

Speed of transmission = 2 × 10⁸ m/s

Therefore the propagation delay is the ratio of the length of the link to speed of transmission

Therefore,  [tex]t_{prop} = \frac{distance}{speed}[/tex]

[tex]t_{prop} = \frac{50000}{2*10^{8} }=2.5*10^{-4}[/tex]

Therefore the propagation delay in 25 ms

100 byte = (100 × 8) bits

Transmission delay = [tex]\frac{(100*8)bits }{(x)bits/sec}[/tex]

If propagation delay is equal to transmission delay;

[tex]\frac{(100*8)bits }{(x)bits/sec}= \frac{50000}{2*10^{8} }[/tex]

[tex]x=\frac{100*8*2*10^{8} }{50000}[/tex]

[tex]x=\frac{100*8}{2.5*10 ^-4}=3200000[/tex]

x = 3200 Kbps

Answer:

The complete question is here:

Consider a point-to-point link 2 km in length. At what bandwidth would propagation delay (at a speed of 2 x 108 m/s) equal transmission delay for

(a) 100-byte packets?

(b) 512-byte packets?

Explanation:

Given:

Length of the link = 50 km

Propagation delay = distance/speed = d/s

To find:

At what speed would propagation delay (at a speed 2 x 10^8 meters/second) equal transmit delay for 100 byte packets?

Solution:

Propagation Delay = t prop

                                 = 50 * 10^3 / 2 * 10^8

                                 = 50000 / 200000000

                                 = 0.00025

                                 = 25 ms

(a) When propagation delay is equal to transmission delay for 100 packets:

Transmission Delay = packet length / data rate = L / R

So when,

Transmission Delay = Propagation Delay

100 * 8  / bits/sec = 50 * 10^3  / 2 * 10^8

Let y denotes the data rate in bit / sec

speed = bandwidth = y bits/sec

         100 * 8  / y bits/sec = 50 * 10^3  / 2 * 10^8

                        y bit/sec   =  100 * 8  / 25 * 10^ -5

                                         = 800 / 0.00025

                                     y  = 3200000 bit/sec

                                      y = 3200 Kbps

(b) 512-byte packets

512 * 8  / y bits/sec = 50 * 10^3  / 2 * 10^8

                        y bit/sec   =  512 * 8  / 25 * 10^ -5

                                         = 4096 / 0.00025

                                     y  = 16384000 bit/sec

                                      y = 16384 Kbps

Using the following code, answer the following questions

1. #pragma omp parallel
2.{
3. id-omp-get thread num();
4. numThreads- omp_get num threads0
5, printf("Hello from thread %d of %din", id, numThreads);
6.}

a. What is the output of the above program in PI 3 B+? .
b. What does the statement at line 1 mean?
c. How to compile the following code (executable should not be /a out)?
d. What does the statement at line 4 (after the equal sign) mean?

Answers

Answer:

Answer explained

Explanation:

as PI 3 B+ is quadcore processor(i.e. 4 cores)

omp_get_thread_num() is used for getting thread number.(i.e. 0,1,2,3)

omp_get_num_threads() is used for getting number of threads.(i.e. 4)

1. Output should be,

Hello from thread 0 of 4

Hello from thread 1 of 4

Hello from thread 2 of 4

Hello from thread 3 of 4

2. #pragma omp parallel is used to fork(create child) additional threads to carry out the work enclosed in the construct in parallel.

3. We can Compile this code using,

  gcc -o omp_helloc -fopenmp hello.c

4. We can Run this code using,

   ./hello

5.omp_get_num_threads() is used for getting number of threads.(i.e. 4)

Your friend is an intern at the local Department of Health and needs to prepare a report about the recent activity of the influenza virus. She has recorded the number of cases of each type of flu (A, B, and C) over the last several weeks. Write a C program that will calculate the total cases for each week, determine the level of activity for the week (low, moderate, or widespread) and print a report to a file, including a small bar chart for the weekly cases.

Answers

Answer:

#include<bits/stdc++.h>

using namespace std;

int main(){

  // Defining Variables

  int no_of_weeks;

  int total_cases = 0;

  //Declaring Vector of Pair of Integer and string

  std::vector<pair<int,string>> data;

  // Taking Input for the Number of Weeks

  cout<<"Enter No. of Weeks\n";

  cin >> no_of_weeks;

  // Running the Loop for no_of_weeks times

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

      int A,B,C;

      // Taking Input for different types of flus

      cout<<"Enter No. of Cases of Flu A, B, C for week" << i + 1 << " seperated by space : \n";

      cin >> A >> B >>C;

      // Adding all the cases in a week

      int cases_in_a_week = A + B + C;

      // Updating total cases

      total_cases += cases_in_a_week;

      // Declaring the level variable

      string level;

      // Updating the level of the week corresponding to each case

      if(cases_in_a_week < 500) level = "Low";

      else if(cases_in_a_week >= 500 && cases_in_a_week < 2000) level = "Moderate";

      else level = "Widespread";

      // Storing the Week's information by using a vector of pairs

      // in which pair's first is the number of cases which is of type int

      // while the second is the level of the flu which is of the type string

      data.push_back(make_pair(cases_in_a_week,level));

  }

  // Linking the stdoutput to the flu_report.txt file

  // this also creates the file with the same name if it doesn't exists

  freopen("flu_report.txt", "w", stdout);

  // Printing the respective output data with Bar Chart of stars for each level

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

      //printing the week no. and number of cases

      cout<<i+1<<" "<<data[i].first<<" "<<data[i].second<<" |";

      //calculating the number of stars

      int stars = data[i].first/250;

      //printing the stars of the bar chart

      for(int j = 0; j < stars ; j++) cout<<"*";

      cout<<endl;

  }

  //printing the total number of cases

  cout<<total_cases;

}

Explanation:

Answer:

C code explained below

Explanation:

I have provided the proper commented code below.

I hope that you find the answer helpful.

CODE:

-------------------------------------------------------------------------------------------------------------

#include<bits/stdc++.h>

using namespace std;

int main(){

  // Defining Variables

  int no_of_weeks;

  int total_cases = 0;

  //Declaring Vector of Pair of Integer and string

  std::vector<pair<int,string>> data;

  // Taking Input for the Number of Weeks

  cout<<"Enter No. of Weeks\n";

  cin >> no_of_weeks;

  // Running the Loop for no_of_weeks times

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

      int A,B,C;

      // Taking Input for different types of flus

      cout<<"Enter No. of Cases of Flu A, B, C for week" << i + 1 << " seperated by space : \n";

      cin >> A >> B >>C;

      // Adding all the cases in a week

      int cases_in_a_week = A + B + C;

      // Updating total cases

      total_cases += cases_in_a_week;

      // Declaring the level variable

      string level;

      // Updating the level of the week corresponding to each case

      if(cases_in_a_week < 500) level = "Low";

      else if(cases_in_a_week >= 500 && cases_in_a_week < 2000) level = "Moderate";

      else level = "Widespread";

      // Storing the Week's information by using a vector of pairs

      // in which pair's first is the number of cases which is of type int

      // while the second is the level of the flu which is of the type string

      data.push_back(make_pair(cases_in_a_week,level));

  }

  // Linking the stdoutput to the flu_report.txt file

  // this also creates the file with the same name if it doesn't exists

  freopen("flu_report.txt", "w", stdout);

  // Printing the respective output data with Bar Chart of stars for each level

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

      //printing the week no. and number of cases

      cout<<i+1<<" "<<data[i].first<<" "<<data[i].second<<" |";

      //calculating the number of stars

      int stars = data[i].first/250;

      //printing the stars of the bar chart

      for(int j = 0; j < stars ; j++) cout<<"*";

      cout<<endl;

  }

  //printing the total number of cases

  cout<<total_cases;

}

Choose two prime numbers p and q (these are your inputs). Suppose that you need to send a message to your friend, and you implement the RSA algorithm for secure key generation. You need public and private keys (these are your outputs). You are free to choose other parameters or inputs if you need any. Write a program for the RSA algorithm using any programing language you know (such as C++) to generate your public and private key.

Answers

Answer:

#include <iostream>

#include<math.h>

using namespace std;

int findGcd(int x, int y) {

int t;

while(1) {

t= x%y;

if(t==0)

return y;

x = y;

y= t;

}

}

int main() {

int v1,v2,p,q,flag = 0;

cout<<"Please enter 1st prime number: ";

cin>>p;

v1 = p/2;

cout<<"Please enter 2nd prime number: ";

cin>>q;

v2 = q/2;

for(int i = 2; i <= v1; i++)

{

if(p%i == 0)

{

cout<<"The number is not prime";

flag = 1;

return 0 ;

}

}

for(int i = 2; i <= v1; i++)

{

if(q%i == 0)

{

cout<<"You entered a number which is not prime";

flag = 1;

return 0;

}

}

double n=p*q;

double tr;

double phi= (p-1)*(q-1);

double e=7;

if( flag == 0)

{

while(e<phi) {

tr = findGcd(e,phi);

if(tr==1)

break;

else

e++;

}

cout<<"public key: "<<e<<endl;

double d1=1/e;

double d=fmod(d1,phi);

cout<<"private key: "<<d<<endl;

double message;

cout<<"please enter a message: ";

cin>>message;

double cipher = pow(message,e);

double m = pow(cipher,d);

cipher = fmod(cipher,n);

m = fmod(m,n);

cout<<"Encrypted message: "<<cipher;

}

}

Explanation:

Find n = p*q and calculate phi = (p-1) * (q-1). Select a number e such that 1 < e < phi(n) and findGcd(e, phi(n)) = 1. Find d which is private key  as d = e−1 (mod phi(n)).As m is original message so encrypt using, cipher = m*e mod n.

The factorial of an integer N is the product of the integers between 1 and N, inclusive. Write a while loop that computes the factorial of a given integer N.

Answers

the function and loop will be

def factorial(x):

   total = 1

   if x != 1 and x != 0:

       for i in range(x,1,-1):

           total *= i

   return total

The program is an illustration of loops

Loops are program statements that are used to perform repeated operations

The program in python, where comments are used to explain each line is as follows:

#This gets input for N

N = int(input())

#This initializes factorial to 1

factorial = 1

#This opens the while loop

while N >1:

   #This calculates the factorial

   factorial*=N

   N-=1

#This prints the factorial

print(factorial)

Read more about loops at:

https://brainly.com/question/14284157

The shipping charges per 500 miles are not prorated. For example, if a 2-pound package is shipped 550 miles, the charges would be $2.20. Write a program that asks the user to enter the weight of a package and then displays the shipping charges.

Answers

Answer:

The solution code is written in Python:

COST_PER_500MI = 1.1 weight = float(input("Enter weight of package: ")) total_cost = weight * COST_PER_500MI print("The shipping charges is $" + str(round(total_cost,2)))

Explanation:

Based on the information given in the question, we presume the cost per 500 miles is $1.10 per pound ($2.20 / 2 pound).

Create a variable COST_PER_500MI to hold the value of cost per 500 miles (Line 1). Next, prompt user input the weight and assign it to variable weight (Line 3). Calculate the shipping charge and display it using print function (Line 4-5).

Final answer:

A program to calculate shipping charges can be created by converting the weight of a package to ounces and using the provided rate structure. For a 2-pound package, the cost to ship would be $6.88, following the given rate system where the first 3 ounces cost $1.95 and each additional ounce costs $0.17. The per 500-mile charges are not prorated.

Explanation:

The given scenario requires the creation of a simple program that calculates shipping charges based on the weight of a package and the distance it needs to be shipped. According to the details, there's a flat rate for the first 3 ounces, and then an additional, per ounce charge after that. If a 2-pound package is shipped, we can calculate the cost based on the conversion of pounds to ounces, and then apply the pricing rules provided. Since there are 16 ounces in one pound, a 2-pound package would be equivalent to 32 ounces. The cost would then be computed as follows:

Total Cost = Base cost for first 3 ounces + (Number of additional ounces x Cost per additional ounce)

For a 32 ounce package, this would be:

Total Cost = $1.95 + (29 x $0.17) = $1.95 + $4.93 = $6.88

There is no need to prorate the charge per 500 miles as the example provided indicates a flat charge is applied per 500-mile increment. Handling user input correctly in a program is also essential to ensure the right calculations are made based on what the user enters for the package weight and distance.

Write a SELECT statement that returns two columns based on the Vendors table. The first column, Contact, is the vendor contact name in this format: first name followed by last initial (for example, "John S.") The second column, Phone, is the VendorPhone column without the area code. Only return rows for those vendors in the 559 area code. Sort the result set by first name, then last name.

Answers

The answer & explanation for this question is given in the attachment below.

The SQL query selects vendor contacts' first names followed by last initials and phone numbers without area codes from the Vendors table. It filters vendors with the 559 area code and sorts results alphabetically by first name and last name.

Below is the SQL SELECT statement that fulfills your requirements:

```sql

SELECT

   CONCAT(SUBSTRING_INDEX(ContactName, ' ', 1), ' ', LEFT(SUBSTRING_INDEX(ContactName, ' ', -1), 1), '.') AS Contact,

   SUBSTRING(VendorPhone, 5) AS Phone

FROM

   Vendors

WHERE

   VendorPhone LIKE '559%'

ORDER BY

   SUBSTRING_INDEX(ContactName, ' ', 1),

   SUBSTRING_INDEX(ContactName, ' ', -1);

```

This query selects the ContactName column from the Vendors table, concatenates the first name and the first letter of the last name, followed by a period, to create the Contact column.

It then extracts the phone number without the area code from the VendorPhone column and stores it in the Phone column.

Finally, it filters the results to include only vendors with the 559 area code and sorts the result set by first name and last name.

A company is utilizing servers, data storage, data backup, and software development platforms over an Internet connection.

Which of the following describes the company’s approach to computing resources?

a. Cloud computing

b. Client-side virtualization

c. Internal shared resources

d. Thick client computing

Answers

Answer:

The answer is A. Cloud computing

Explanation:

Cloud computing is the process of using the internet to store, mange and process data rather than using a local server or a personal computer.

The term  cloud computing is generally used to describe data centers available to many users over the Internet.  

Therefore the company's approach to computing resources can be said to be cloud computing because it uses the internet  for data storage, data backup, and software development  

Craig likes to work on his computer at his local coffee shop, but people around him may be able to see what he is doing, including entering passwords for his accounts. This method of gaining confidential information is referred to as ________.

(A) phishing
(B) shoulder surfing
(C) man-in-the-middle attacks
(D) spear phishing

Answers

Answer:

B

Explanation:

Craig could of left the coffee shop but instead he could just shoulder surfing so no one could see all the other options are just plain Wrong shoulder surfing can do no harm

Other Questions
Gradpoint-What is the value of y?253550100 You have $3,500 on a credit card that charges a 13% interest rate. If you want to pay off the credit card in 4 years, how much will you need to pay each month (assuming you don't charge anything new to the card)? based upon the current ratio, how would creditors or lenders feel about the liquidity of the buisness? why? A company sells goods for $150,000 that cost $54,000 to manufacture. Which statement is true? a. The company will recognize sales on the balance sheet of $150,000. b. The company will recognize $96,000 gross profit on the balance sheet. c. The company will decrease finished goods by $54,000. d. The company will increase finished goods by $54,000. What is the purpose of this narration?OORead the excerpt from The Land.At first I just walked the grey, letting him get used to me.Then I bridled and saddled him and finally I mounted. I lethim get accustomed to my weight on his back as hewalked around the pasture, then knowing our time wasshort, I put him through paces, first a trot followed by agallop before slowing him down and taking him back tothe cool of a shade tree. I gave him more apple wedges. Ilet him drink from a stream nearby before I brushed himagain. All the while I never stopped talking to him.to explain how Paul gets to know Sutcliffe's horseto provide backstory about Paul's history with horsesto explain Paul's motivation for participating in the horseraceOOto provide backstory about how Paul learned to ridehorsesMark this and return Oliver read for 450 minutes this month. His goal is to read for 10% more minutes next month. If Oliver meets his goal,how many minutes will he read in all during the two months In Katz v. United States, the Supreme Court ruled that tapping a public phonewithout a warrant violated theOA. Ninth AmendmentOB. Fourth AmendmentC. Second AmendmentD. First Amendment How much time do Americans spend eating or drinking? Suppose for a random sample of 1001 Americans age 15 or older, the mean amount of time spent eating or drinking per day is 1.22 hours with a standard deviation of 0.65 hour. (a) A histogram of time spent ea ting and drinking each day is skewed right. Use this result to explain why a large sample size is needed to construct a confidence interval for the mean time spent eating and drinking each day. (b) There are over 200 million Americans age 15 or older. Explain why this, along with the fact that the data were obtained using a random sample, satisfies the requirements for constructing a confidence interval. (c) Determine and interpret a 95% confidence interval for the mean amount of time Americans age 15 or older spend eating and drinking each day. (d) Could the interval be used to estimate the mean amount of time a 9-year-old American spends eating and drinking each day? Explain. Phosphoric acid is a triprotic acid ( K a1 = 6.9 10 3 , K a2 = 6.2 10 8 , and K a3 = 4.8 10 13 ). To find the pH of a buffer composed of H 2 PO 4 ( aq ) and HPO 2 4 ( aq ) , which p K a value should be used in the HendersonHasselbalch equation? Mel is a salesperson for a technology services company. He wants to expand collaborative involvement between his company and his buyer's company. Which of the following activities is most likely to help Mel achieve his goal? Which pair of words correctly completes this conversation?Juan Mi hermano pesa 65 kilos.Valeria: Y mi hermano pesa 70 kilos.Juart. Entonces, whermano pesa menos que __hermano. Robyn is working on her presentation for speech class. She is giving an informative speech about the rising cost of apartments. Robyn needs one more source and decides to look online to find more information. She came across a site that is run by an individual who owns and rents out housing units across the region. It contains all kinds of information about the history and statistics of apartment rentals in recent years.Why might Robyn decide not to use this source? A. The person who runs the site probably obtained most of his or her information from others. B. A person who rents out housing units may write in favor of one side of the issue. C. A person who owns and rents out housing units probably doesn't know much about the history of rental costs. D. The person who runs a site about rental costs is probably for lowering those costs. If I have 2.9 L of gas at a pressure of 5.0 atm and a temperature of 50.0 C, what will be thetemperature of the gas if I decrease the volume of the gas to 2.4 L and decrease thepressure to 3.0 atm? In many developing countries, the majority of citizens make their living through microenterprises- informal, tiny businesses that barely yield enough to survive.Without financial services, most of these entrepreneurs find growth simply impossible. The Foundation for International Community Assistance (FINCA), a nonprofit established in 1984, stepped into the gap by providing micro-loans ($50-$500) to the poorest of the poor entrepreneurs, through village banks that are administered by the people they serve. The FINCA program has been amazingly successful at breaking the vicious cycle of poverty for its clients. Check out their story on the Web at www.finca.org. Why has the FINCA approach worked so well? Do you think it would work in poor communities in the United States? Why or why not? Explain why each chromosome must become two strands before the cell divides. Angles 1 and 3 are directly across from each other.They are called vertical angles. They share only avertex. They always measure the same. Therefore,if angle 1 measures 27 degrees, angle 3 willmeasuredegrees. If the electric field has a magnitude of 460 N/C and the magnetic field has a magnitude of 0.16 T, what speed must the particles have to pass through the selector undeflected? In the 1960s, Robert Rosenthal and Lenore Jacobson conducted a study of the effects of teacher expectations on student performance. Place the steps of the study protocol from first to last. In order: 1. students took an IQ test in the fall 2. randomly selected students were described to teachers as gifted 3. the teachers interacted with students for an academic year 4. students took an IQ test in the spring 5. students arbitrarily labeled as bright did better on the second test Trauma to the anterior pituitary caused secondary hyposecretion of thyroid-stimulating hormone (TSH). What would you expect to happen to the levels of thyroid-releasing hormone (TRH) and thyroid hormones (TH)? Luis made a $150 bank deposit using $5 bills and $10 bills. He gave the teller a total of 24 bills. How many $10 bills were in the deposit?