This program will output a right triangle based on user-specified height triangleHeight and symbol triangleChar.
(1) The given program outputs a fixed-height triangle using a * character. Modify the given program to output a right triangle that instead uses the user-specified triangleChar character.
(2) Modify the program to use a nested loop to output a right triangle of height triangleHeight. The first line will have one user-specified character, such as % or *. Each subsequent line will have one additional user-specified character until the number in the triangle's base reaches triangleHeight. Output a space after each user-specified character, including a line's last user-specified character.
Example output for triangleChar = % and triangleHeight = 5:
Enter a character: %
Enter triangle height: 5

%
% %
% % %
% % % %
% % % % %

#include
usingnamespacestd;
intmain()
{
char triangleChar='-';
inttriangleHeight=0;
cout<<"Enter a character: "< cin>>triangleChar;

cout<<"Enter triangle height: "<>triangleHeight;
cout<<"@"<<" "< cout<<"@"<<" "<<"@"<<" "< cout<<"@"<<" "<<"@"<<" "<<"@"<<" "<
return0;
}

Answers

Answer 1

Answer:

The above program is not correct, the correct program in c++ langauge is as follows:

#include <iostream>//header file.

using namespace std; //package name.

int main() //main function.

{

  char char_input;//variable to take charater.

  int size,i,j;//variable to take size.

  cout<<"Enter the size and charter to print the traingle: ";//user message.

  cin>>size>>char_input; //take input from the user.

  for(i=0;i<size;i++)//first for loop.

  {

     for(j=0;j<=i;j++)//second for loop to print the series.

       cout<<char_input<<" ";//print the charater.

     cout<<"\n";//change the line.

  }

  return 0; //returned statement.

}

Output:

If the user inputs 5 for the size and '%' for the charater, then it will prints the above series example.

Explanation:

The above program is written in C++ language, in which there are two for loop which prints the series.The first for loop runs n time, where n is the size given by the user.The second loop is run for every iteration value of the first for loop.For example, if the first for loop runs for the 2 times, then the second for loop runs 1 time for the first iteration of the first loop and 2 times for the second iteration of the first loop.

Related Questions

So far we have worked on obtaining individual digits from 4 digits of 5 digit numbers. The added them to find the sum of digits. However, now we know about the loop and we can remove the limit of having a specific number of digits. Write a program to print out all Armstrong numbers between 1 and n where n will be an user input. If the sum of cubes of each digit of the number is equal to the number itself, then the number is called an Armstrong number. For example, 153 = (1 * 1* 1)+ ( 5 * 5* 5 ) + ( 3*3*3) In order to solve this problem we will implement the following function: sumDigitCube(): write a function sumDigitCube() that takes a positive integer as a parameter and returns the sum of cube of each digit of the number. Then in the main function, take an integer n as input and generate each number from 1 to n and call the sumDigitCube() function. Based on the returned result, compares it with the value of the generated number and take a decision and print the number if it is Armstrong number

Answers

Answer:

#include<stdio.h>

int sumDigitCube(int n);

int main(){

   int n, i;

   printf("Enter number: ");

   scanf("%d", &n);

printf("The Armstrong numbers are:" );

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

       if(sumDigitCube(i)==i){

           printf(" %d", i);

       }

   }

   printf("\n");

   return 0;

}

int sumDigitCube(int n){

   int s = 0;

   int digit;

   while(n>0){

       digit = n%10;

       s += digit * digit *digit;

       n = n/10;

   }

   return s;

}

Explanation:

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

Consider the following program:

void fun1(void); /* prototype */
void fun2(void); /* prototype */
void fun3(void); /* prototype */
void main() {
int a, b, c;
...
}
void fun1(void) {
int b, c, d;
...
}
void fun2(void) {
int c, d, e;
...
}
void fun3(void) {
int d, e, f;
...
}

Given the following calling sequences and assuming that dynamic scoping is used, what variables are visible during the execution of the last subprogram activated? Include with each visible variable the name of the unit where it is declared.
1. main calls sub1; sub1 calls sub2; sub2 calls sub3.
2. main calls sub1; sub1 calls sub3.
3. main calls sub2; sub2 calls sub3; sub3 calls sub1.
4. main calls sub3; sub3 calls sub1.
5. main calls sub1; sub1 calls sub3; sub3 calls sub2.

Answers

Answer:

Following are the variables which is visible in when the last module is called:

d,e,fd,e,fb,c,db,c,dc,d,e

Explanation:

Missing information :

The above question option needs to holds the function name as fun1,fun2 or fun3, but the options are holding the sub1,sub2, and sub3.The above question asked about the variable when the last function is called. The explanation of the visible variable is as follows:For the first option, the last function is called is fun3 which holds the variable as d,e, and f, and no variable is passed as the argument, So currently visible variable are d,e, and f.For the second option, the last function is called is fun3 which holds the variable as d,e, and f, and no variable is passed as the argument, So currently visible variable are d,e, and f.For the third option, the last function is called is fun1 which holds the variable as b,c and d and no variable is passed as the argument, So currently visible variable are b,c, and d.For the fourth option, the last function is called is fun1 which holds the variable as b,c and d and no variable is passed as the argument, So currently visible variable are b,c, and d.For the fifth option, the last function is called is fun2 which holds the variable as c,d and e and no variable is passed as the argument, So currently visible variable are c,d, and e.

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.

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.

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;

}

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;

}

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  

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

A university begins Year 1 with 80 faculty. They hire 4 faculty each year. During each year 10% (rounded to the nearest integer) of the faculty present at the beginning of the year leave the university. For example, in a year where there are 73 faculty at the beginning of the year, 7 would leave the university at the end of the year. The university wants to know how many faculty they will have at the end of year 10. The resulting spreadsheet can be found below. In cell G9 the first cell address referred to was cell E9. If the formula is entered in cell G9 and is copied down to G10:G18, what is it followed by?

Answers

Answer:

The correct answer to the following question will be "B9:B18-ROUND(0.1*B9:B18,0) +C9:C18".

Explanation:

The ROUND function of Excel seems to be an adaptive feature in excel that calculates the first round amount of a specific number with either the numerical value or digits to be given as just a statement.

For rounding rolling quantities to a defined degree of accuracy you can use this function named ROUND.

The description of the above statement is as follow :

The formula will be used in that manner B9 along with colon B18 after that subtract (-) and using the round function (In this we pass the range i.e B9:B18,0) Plus C9 :C18.

construct an AVL tree. For each line of the database and for each recognition sequence in that line, you will create a new SequenceMap object that contains the recognition sequence as its recognition_sequence_ and the enzyme acronym as the only string of its enzyme_acronyms_ main function

Answers

Answer:

Explanation:

AVL trees are used frequently for quick searching as searching takes O(Log n) because tree is balanced. Where as insertion and deletions are comparatively more tedious and slower as at every insertion and deletion, it requires re-balancing. Hence, AVL trees are preferred for application, which are search intensive.

The attached diagramm further ilustrate this

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.

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

Write a switch statement that checks nextChoice. If 0, print "Rock". If 1, print "Paper". If 2, print "Scissors". For any other value, print "Unknown". End with newline.

Answers

Answer:

case 0:

           System.out.println("Rock");

           break;

       

        case 1:

           System.out.println("Paper");

           break;

       

        case 2:

           System.out.println("Scissors");

           break;

           

        default:

           System.out.println("Unknown");

           break;

       

     }

Explanation:

In this exercise we have to use the knowledge of computational language in python to describe a code, like this:

The code can be found in the attached image.

To make it easier the code can be found below as:

case 0:

          System.out.println("Rock");

          break;

case 1:

          System.out.println("Paper");

          break;

case 2:

          System.out.println("Scissors");

          break;

       default:

          System.out.println("Unknown");

          break;

    }

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

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 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.

You are asked by your supervisor to export NPS configuaration from a server. Your supervisor contacts you and tells you it is missing the log files. What must you do to provide your supervisor with the NPS log files?

Answers

Answer:

You must import the NPS configurations, then manually cnfigure the SQL Server Logging on the target machine.

Explanation:

The SQL Server Logging settings are not in anyway exported. If the SQL Server Logging was designed on the root machine, the a manually configure of SQL Server Logging has to be done on the target machine after the NPS configurations must have been imported.

Although administrator rights is needed at least to import and export NPS settings and configurations, while that isn’t the issue in this case. NPS configurations are moved to a XML file that is non-encrypted by default. There is no wizard or tool whatsoever to export or import the configuration files.

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:

Given a integer, convert to String, using String Builder class. No error checking needed on input integer, However do read in the input integer using Scanner API. This program requires you to use a loop.

Answers

Answer:

The program in Java will be:

// Java program to demonstrate working parseInt()  

public class GFG  

{  

   public static void main(String args[])  

   {  

       int decimalExample = Integer.parseInt("20");  

       int signedPositiveExample = Integer.parseInt("+20");  

       int signedNegativeExample = Integer.parseInt("-20");  

       int radixExample = Integer.parseInt("20",16);  

       int stringExample = Integer.parseInt("geeks",29);  

 

       // Uncomment the following code to check  

       // NumberFormatException  

 

       //   String invalidArguments = "";  

       //   int emptyString = Integer.parseInt(invalidArguments);  

       //   int outOfRangeOfInteger = Integer.parseInt("geeksforgeeks",29);  

       //   int domainOfNumberSystem = Integer.parseInt("geeks",28);  

 

       System.out.println(decimalExample);  

       System.out.println(signedPositiveExample);  

       System.out.println(signedNegativeExample);  

       System.out.println(radixExample);  

       System.out.println(stringExample);  

   }  

}

A __________ grants the authority to perform an action on a system. A __________ grants access to a resource. right, permission login, password permission, right password, login

Answers

Answer:

A right grants the authority to perform an action on a system. A permission grants access to a resource.

Explanation:

In System administration there are different rights and permissions are given to the user as per the requirement to perform some actions and accessing some resources.

Rights are given to the users may be at admin level to perform some action or make some changes in the system. The users who have rights of the system can add, edit or delete data from the system as per requirement of the company.

Many peoples granted by permissions by providing them some passwords to access the resources of the systems. These users did not have the right to change, add, edit or delete any data. They just can use the information.

A right grants the authority to perform an action on a system. A permission grants access to a resource.

In the context of system security and access control:

- A right is a privilege granted to a user or process that allows them to perform a specific action on a system. For example, a right might allow a user to shut down the computer or to modify system settings.  

- A permission is a rule that grants access to a specific resource, such as a file, directory, or network resource. Permissions determine what actions (such as read, write, or execute) can be performed on that resource.

Thus, a right defines the actions a user can perform, while a permission defines what resources a user can access and what they can do with those resources.

Choose the correct code assignment for the following scenario:
15-year-old seen in the ER after being kicked by another soccer player today on a soccer field at the state soccer play-off tournament game.

a) W50.0XXA, Y92.213, Y93.66
b) W50.0XXA, Y92.322, Y93.6A
c) W50.1XXA, Y92.322, Y93.66
d) W50.1XXA, Y92.213, Y93.6A.

Answers

Answer:

C

Explanation:

W50.1XXA, Y92.322, Y93.66

Cheers

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.

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

Consider the following architecture. 1 cache block = 16 words. Main memory latency is the time delay for each data transfer, which = 10 memory bus clock cycles. A memory transfer time = 1 memory bus clock cycle, which is also called bandwidth time. For any memory access, it consists of latency time plus the bandwidth time. The cache miss penalty is the time to transfer one block from main memory to the cache. In addition, it takes 1 clock cycle to send the address to the main memory. Compute the miss penalty for the following configurations. Configuration (a): Requires 16 main memory accesses to retrieve a cache block and words of the block are transferred one at a time. Configuration (b): Requires 4 main memory accesses to retrieve a cache block and words of the block are transferred four at a time. Configuration (c): Requires 4 main memory accesses to retrieve a cache block and words of the block are transferred one at a time.

Answers

Answer:

The answers are A)176 B)44 C)56.

Explanation:

According to the information given in the question about the architecture that is used and its communication times;

For option A: The goal is to retrieve one cache block which consists of 16 words. Doing this one word at a time over a period of 16 main memory accesses and the miss penalty for this configuration is 10*16 = 160 bus clock cycles for data transfer and 1*16 = 16 bus clock cycles for memory transfer time which comes up to 176.

For option B: The goal is to retrieve one cache block which consists of 16 words. Doing this four words at a time over a period of 4 main memory accesses and the miss penalty for this configuration is 10*4 = 40 bus clock cycles for data transfer and 1*4 = 4 bus clock cycles for memory transfer which comes up to 44.

For option C: The goal is to retrieve one cache block which consists of 16 words. Doing this 4 words at a time over a period of 4 main memory accesses and the miss penalty for this configuration is 10*4 = 40 bus clock cycles for data transfer and 1*16 = 16 bus clock cycles for memory transfer since words of the block are transferred not 4 but 1 at a time which comes up to 56.

I hope this answer helps.

Given three dictionaries, associated with the variables, canadian_capitals, mexican_capitals, and us_capitals, that map provinces or states to their respective capitals, create a new dictionary that combines these three dictionaries, and associate it with a variable, nafta_capitals.Use python and dictionary. Write code in simplest form.

Answers

Answer:

canadian_capitals = {"Alberta":"Edmonton", "British Columbia":"Victoria", "Manitoba":"Winnipeg"}

mexica_capitals ={"Aguascalientes":"Aguascalientes", "Baja California":"Mexicali", "Baja California Sur":"La Paz"}

us_capitals ={"Alabama":"Montgomery", "Alaska":"Juneau", "Arizona":"Phoenix"}

nafta_capitals = {}

nafta_capitals.update(canadian_capitals)

nafta_capitals.update(mexica_capitals)

nafta_capitals.update(us_capitals)

print(nafta_capitals)

Explanation:

The code is written in python.

canadian_capitals = {"Alberta":"Edmonton", "British Columbia":"Victoria", "Manitoba":"Winnipeg"}   I created the first dictionary with the variable name called canadian_capital.  Notice the province of Canada is mapped to to their respective capitals.

mexica_capitals ={"Aguascalientes":"Aguascalientes", "Baja California":"Mexicali", "Baja California Sur":"La Paz"}   I created the second dictionary with the variable name called mexican_capital. The states are also mapped to their respective capitals.

us_capitals ={"Alabama":"Montgomery", "Alaska":"Juneau", "Arizona":"Phoenix"}   I created the third dictionary with the variable name called us_capital.  The states are also mapped to their respective capitals.

nafta_capitals = {}  This is an empty dictionary with the variable name nafta_capitals to combine the 3 dictionaries.

nafta_capitals.update(canadian_capitals)  I updated the empty dictionary with the canadian_capitals dictionary.

nafta_capitals.update(mexica_capitals)  I also added the mexica_capitals dictionary to the nafta_capitals dictionary.

nafta_capitals.update(us_capitals)  I also added the us_capitals dictionary to the nafta_capitals dictionary.

print(nafta_capitals)   The whole 3  dictionaries have been combined to form the nafta_capitals dictionary. The print function displays the already combine dictionaries.

What is wrong with line 1?

public class G
{
private int x;
public G() { x=3;}
public void setX(int val){
x=val;
}
public String toString(){
return ""+x;
}
}

public class H extends G
{
private int y;
public H() { y=4;}
public void setY(int val){
y=val;
}
public String toString() {
return ""+y+super.toString();
}
}

//test code in the main method
G bad = new H();
bad.setY(9); //line 1

Answers

Answer:

The set is a object of the class 'H' and the setY method is a member of G class which is not called by the object of H class.

Explanation:

If a user calls the G function which is not a private by the help of H class objects then it can be called. It is because all the public and protected methods of A class can be accessed by the B class if B extends the A-class.If any class is extended by the other class then the derived class holds the property of the base class and the public and protected method can be accessed by the help of a derived class object.The derived class object can be created by the help of base class like written in the "line 1".But the base class can not call the member of the derived class.

Create a java program using the following instructions:GymsRUs has a need to provide fitness/health information to their clients including BMI, BMI category and maximum heart rate. Your task is to write a console program to do this. Body Mass Index (BMI) is a measure of body fat based on a person’s height and weight. BMI can be used to indicate if you are overweight, obese, underweight, or normal. The formula to calculate BMI is BMI = weight(lb) x 703 / (height(inches))^2.The following BMI categories are based on this calculation:Category BMI RangeUnderweight less than 18.5Normal 18.5 to less than 25Overweight 25 to less than 30Obese 30 or moreMax heart rate is calculated as 220 minus a person’s age.FUNCTIONAL REQUIREMENTS: This problem will have TWO classes. Design and code a class called HealthProfile (your "cookie cutter") to store information about clients and their fitness data. The following attributes are private instance variables:a. Nameb. Agec. Weightd. Height (total inches)

Answers

Answer:

See attached file for detailed code.

Explanation:

See attached file for explanation.

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 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.

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

Other Questions
What is an essential component of all viruses? The following data on average daily hotel room rate and amount spent on entertainment (The Wall Street Journal, August 18, 2011) lead to the estimated regression equation = 17.49 + 1.0334x. For these data SSE = 1541.4.City Room Rate ($) Entertainment ($)Boston 148 161Denver 96 105Na.shville 91 101New Orleans 110 142 Phoenix 90 100 San Diego 102 120San Francisco 136 167San Jose 90 140Tampa 82 98(a) Predict the amount spent on entertainment for a particular city that has a daily room rate of $89 (to 2 decimals).(b) Develop a 95% confidence interval for the mean amount spent on entertainment for all cities that haye a daily room rate of $89 (to 2 decimals).(c) The average room rata in Chicago is $128. Develop a 95% prediction interval for the amount spent on entertainment in Chicago (to 2 decimals). Located in the vast Atlantic Ocean, about seven miles off the coast of Venezuela, is a small but fertile island that had retained from the period of its first discovery the name of Trinidad, and though picturesque, has rarely been visited by Europeans until the sixteenth century.A. is a small but fertile island that had retained from the period of its first discovery the name of Trinidad, and though picturesque, has rarely beenB. was the small but fertile island of Trinidad, which retained its name from the period when it had first been discovered, and though picturesque, it had rarely beenC. Trinidad is a small but fertile island that retains its name from the period of its first discovery, and though picturesque, has rarely beenD. is a small but fertile island, which has retained from the period of its first discovery the name of Trinidad, and though picturesque, had rarely beenE. the small but fertile island of Trinidad, retaining its name from the period of its first discovery, though picturesque, rarely In the groin stretch, you sit on the floor and put the soles of the feet together. Grabbing the ends of your feet with both hands and pulling your heels towards the groin as close as you can. Flexibility is considered good if the distance between heels and groin is:____________.1. 4 inches or less2. 6 inch or less3. 6 inch or more4. 7 inch or more What effect do the words "symphony," "crescendo," and "movement" have on the overall meaning of the poem? (From East 149th Street) Edgar ran eee meters per second, and Mathieu ran mmm meters per second. The boys ran for ttt seconds.The expression t(m-e)t(me)t, left parenthesis, m, minus, e, right parenthesis describes how many more meters Mathieu ran than Edgar ran during that time. We can also use the expression tm-tetmtet, m, minus, t, e to represent the same quantity.Match each amount in the situation with the expression that represents it.\ According to the dictionary, -ment can refer to an action, a place, or a state resulting from an action. This definition is useful to know because -ment functions as a:_______. 1. suffix. 2. verb. 3. prefix. 4. root. what is the mass of an object that experiences a gravitational force on earth of 2.5N Consider a process consisting of three resources. Assume there exists unlimited demand for the product, and that all activities are always performed in the following sequence. Resource 1 has a processing time of 6 minutes per unit. Resource 2 has a processing time of 3 minutes per unit. Resource 3 has a processing time of 5 minutes per unit. All three resources are staffed by one worker and each worker gets paid $11 per hour. (a) what is the cost of direct labor? (b) what is the labor content? (c) How much idle time does the worker at resource 3 have per unit? (d) What is the average labor utilization? (e) Assume the demand rate is 20 units per hour. What is the takt time? (f) Assume the demand rate is 20 units per hour. What is the target manpower? Akira was born to a Japanese-speaking mother and English-speaking father and is fluent in both languages. She recently participated in a study of bilingual university students. When she took a personality test in Japanese she had very different results than when she took the same test in English. According to Benjamin Whorf, this difference is caused by:_____________.1. unreliable tests.2. self-serving bias.3. invalid tests.4. linguistic determinism. There are 4 designd of necklaces available at a jewelry store. Each design is available in 3 types of stones. How many different combinations of 1 design and 1 stone of necklace can you have? Anita Job is the new Treasury Secretary and she is trying to interpret the inflation measures for two consecutive years. In Year 1, the aggregate price level increased by 8% and in Year 2, the aggregate price level increased by 5%. What term describes the change in the price level from Year 1 to Year 2? a. disinflation b. conflation c. deflation Based on past experience, a bank believes that 4% of the people who receive loans will not make payments on time. The bank has recently approved 300 loans. 6% of these clients did not make timely payments. What is the probability that over 6% will not make timely payments?A. 0.0721B. 0.9616C. 0.9279D. 0.0384 Find the surface area of the triangular prism shown below.I have no idea how to solve this "The proposed Constitution, therefore, is, in strictness, neither a national nor a federal Constitution, but a composition of both" is a statement likely taken from the ___. will mark as a brainlist if i get help w these two Matt buys an item with a normal price of $25 and uses a 10% off cupon. How much does he save by using the coupon? on 2Where is energy made in a cell?Select one:a. In ribosomesb. In the mitochondriac. In the cytoplasmd. In the nucleus I need help plsIts complicated Elvis values the first gravy sandwich at $5, the second at $4.50, and the third at $4. If he buys three sandwiches for $4 each, his consumer surplus has a value of _____