Write two scanf statements to get input values into birthMonth and birthYear. Then write a statement to output the month, a slash, and the year. End with newline. The program will be tested with inputs 1 2000 and then with inputs 5 1950. Ex: If the input is 1 2000, the output is: 1/2000 Note: The input values come from user input, so be sure to use scanf statements, as in scanf("%d", &birthMonth), to get those input values (and don't assign values directly, as in birthMonth = 1).

Answers

Answer 1

Answer:

The program can be found in the explanation part while the output is attached as files.

Explanation:

The program to display the birth month and year, is given below:

//Include the necessary library files.

#include "stdafx.h"

#include <iostream>

using namespace std;

//Start the main() function.

int main()

{

//Declare the necessary variables.

int birthMonth;

int birthYear;

//Prompt the user to enter the birth month.

cout << "Enter the birth month: ";

//Store the input.

cin >> birthMonth;

//Prompt the user to enter the birth year.

cout << "Enter the birth year: ";

//Store the input.

cin >> birthYear;

//Display the output.

cout << "The birth date is: " << birthMonth << "/" << birthYear << endl;

system("pause");

return 0;

}

Write Two Scanf Statements To Get Input Values Into BirthMonth And BirthYear. Then Write A Statement
Write Two Scanf Statements To Get Input Values Into BirthMonth And BirthYear. Then Write A Statement
Answer 2

The program is a sequential program, and does not require loops or conditional statements

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

#include <stdio.h>

int main() {  

   //This declares the variables

   int year, month;

   //This gets input for month

   scanf("%d", &month);

   //This gets input for year

   scanf("%d", &year);

   // This prints the inputs, separated by slash

   printf("%d/%d", month, year);

   

   return 0;

}

Read more about sequential programs at:

https://brainly.com/question/17970226


Related Questions

Suppose that the first number of a sequence is x, where x is an integer. Define ; ‍ if is even; ‍ ‍ ‍ if is odd. Then there exists an integer k such that ‍ . Write a program that prompts the user to input the value of x. The program outputs the integer k such that ‍ and the numbers . (For example, if ‍ , then ‍ , and the numbers , respectively, are 75, 226, 113, 340, 170, 85, 256, 128, 64, 32, 16, 8, 4, 2, 1.) Test your program for the following values of x: 75, 111, 678, 732, 873, 2048, and 65535.

Answers

Answer:

The program is written in c++ , go to the explanation part for it, the output can be found in the attached files.

Explanation:

C++ Code:

#include <iostream>

using namespace std;

int main() {

int x;

cout<<"Enter a number: ";

cin>>x;

int largest = x;

int position = 1, count = 0;

while(x != 1)

{

count++;

cout<<x<<" ";

if(x > largest)

{

largest = x;

position = count;

}

if(x%2 == 0)

x = x/2;

else

x = 3*x + 1;

}

cout<<x<<endl;

cout<<"The largest number of the sequence is "<<largest<<endl;

cout<<"The position of the largest number is "<<position<<endl;

return 0;

}

The program prompts the user for an integer ( x ). It calculates ( k ), the number of iterations until ( x ) becomes 1 in a sequence generated by specific rules: if ( x ) is even, it's divided by 2; if odd, it's multiplied by 3 and incremented by 1. .

Here's a Python program that implements the described sequence and finds the integer ( k ) for the given ( x ) value:

```python

def find_k(x):

   k = 0

   while x != 1:

       if x % 2 == 0:

           x = x // 2

       else:

           x = 3 * x + 1

       k += 1

   return k

def generate_sequence(x):

   sequence = [x]

   while x != 1:

       if x % 2 == 0:

           x = x // 2

       else:

           x = 3 * x + 1

       sequence.append(x)

   return sequence

def main():

   test_values = [75, 111, 678, 732, 873, 2048, 65535]

   

   for x in test_values:

       k = find_k(x)

       sequence = generate_sequence(x)

       print(f"For x = {x}, k = {k}, sequence: {sequence}")

if __name__ == "__main__":

   main()

```

This program calculates the integer \( k \) for each given value of \( x \) and generates the sequence according to the rules provided. Then it prints the \( k \) value and the sequence for each test value. You can run this program to verify the results for the provided test values.

This program will read a word search and a word dictionary from the provided files. Develop four methods: (1) A method to read the word search. (2) A method to read a dictionary of words, and (3) two methods to test the first two methods. The Method stubs are provided for you. (1) The first method, readDictionary will take as input a string that contains the name of the provided dictionary text file. The name of the text file provided is dictionary.txt. This method will return a list of the words found in the dictionary.txt file.

Answers

Answer:

See explaination

Explanation:

import java.io.BufferedReader;

import java.io.FileInputStream;

import java.io.FileNotFoundException;

import java.io.IOException;

import java.io.InputStreamReader;

import java.util.ArrayList;

public class WordSearch {

public static void main(String[] args) {

testReadDictionary();

testReadWordSearch();

}

/**

* Opens and reads a dictionary file returning a list of words. Example: dog cat

* turtle elephant

*

* If there is an error reading the file, such as the file cannot be found, then

* the following message is shown: Error: Unable to read file with replaced with

* the parameter value.

*

* atparam dictionaryFilename The dictionary file to read.

* atreturn An ArrayList of words.

*/

public static ArrayList readDictionary(String dictionaryFilename) {

ArrayList<String> animals = new ArrayList<>();

FileInputStream filestream;

try {

filestream = new FileInputStream(dictionaryFilename);

BufferedReader br = new BufferedReader(new InputStreamReader(filestream));

String str = br.readLine();

while (str != null) {

animals.add(str);

str = br.readLine();

}

br.close();

} catch (FileNotFoundException e) {

System.out.println(" Unable to read file " + dictionaryFilename);

} catch (IOException e) {

e.printStackTrace();

}

return animals;

}

/**

* Opens and reads a wordSearchFileName file returning a block of characters.

* Example: jwufyhsinf agzucneqpo majeurnfyt

*

* If there is an error reading the file, such as the file cannot be found, then

* the following message is shown: Error: Unable to read file with replaced with

* the parameter value.

*

* atparam wordSearchFileName The dictionary file to read.

* atreturn A 2d-array of characters representing the block of letters.

*/

public static char[][] readWordSearch(String wordSearchFileName) {

ArrayList<String> words = new ArrayList<>();

FileInputStream filestream;

try {

filestream = new FileInputStream(wordSearchFileName);

BufferedReader br = new BufferedReader(new InputStreamReader(filestream));

String str = br.readLine();

while (str != null) {

words.add(str);

str = br.readLine();

}

br.close();

} catch (FileNotFoundException e) {

System.out.println(" Unable to read file " + wordSearchFileName);

} catch (IOException e) {

e.printStackTrace();

}

char[][] charWords = new char[words.size()][];

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

charWords[i] = words.get(i).toCharArray();

}

return charWords;

}

public static void testReadDictionary() {

// ADD TEST CASES

ArrayList dictionaryWords;

System.out.println("Positive Test Case for Dictionary Serach");

String dictionaryFilePath = "C:\\PERSONAL\\LIBRARY\\JAVA\\file\\dictionary.txt";

dictionaryWords = readDictionary(dictionaryFilePath);

System.out.println("Number of words found : "+dictionaryWords.size());

System.out.println("They are : "+dictionaryWords.toString());

System.out.println("\nNegative Test Case for Dictionary Serach");

dictionaryFilePath = "C:\\PERSONAL\\LIBRARY\\JAVA\\file\\dictionaryDummy.txt";

dictionaryWords = readDictionary(dictionaryFilePath);

}

public static void testReadWordSearch() {

// ADD TEST CASES

char[][] wordsList;

System.out.println("\n\nPositive Test Case for Word Serach");

String wordFilePath = "C:\\PERSONAL\\LIBRARY\\JAVA\\file\\wordsearch.txt";

wordsList = readWordSearch(wordFilePath);

System.out.println("Number of words found : "+wordsList.length);

System.out.println("\nNegative Test Case for Word Serach");

wordFilePath = "C:\\PERSONAL\\LIBRARY\\JAVA\\file\\wordsearchDummy.txt";

wordsList = readWordSearch(wordFilePath);

}

}

Note: replace at with the at symbol

.2. What approach to deviance do you find most persuasive: that

of functionalists, conflict theorists, feminists, interactionists,

or labeling theorists?

Answers

Answer:

The description for the given question is described in the explanation section below.

Explanation:

Since deviance constitutes a breach of a people's current standard. I believe Erickson's psychological concept that Deviance becomes a trait that is commonly considered to need social control agencies' intervention, i.e. 'Something must being done'.

There most probably resulted whenever the rules governing behavior appear inconsistent in just about any particular frame. Therefore the principle of this theory is that even in the analysis of deviance this same significant point seems to be the social community, instead of the participant.

3.14 LAB: Simple statistics for Python
Given 4 floating-point numbers. Use a string formatting expression with conversion specifiers to output their product and their average as integers (rounded), then as floating-point numbers.

Output each rounded integer using the following:
print('{:.0f}'.format(your_value))

Output each floating-point value with three digits after the decimal point, which can be achieved as follows:
print('{:.3f}'.format(your_value))

Ex: If the input is:

8.3
10.4
5.0
4.8
the output is:

2072 7
2071.680 7.125


So far I came up with the following:
num1 = float(input())
num2 = float(input())
num3 = float(input())
num4 = float(input())

avg = (num1+num2+num3+num4)/4
prod = num1*num2*num3*num4
print('%d %d'%(avg,prod))
print('%0.3f %0.3f'%(avg,prod))

I keep getting this output and I don't know what I'm doing wrong:
7 2071
7.125 2071.680
Expected output should be:
2072 7
2071.680 7.125

Answers

Following are the correct python code to this question:

Program Explanation:

In the python program four variable "n1, n2, n3, and n4" is defined, in which we input method is used that input value from the user end. In this, we use the float method, which converts all the input values into a float value.In the next step, two variables "average and product" are defined, which calculate all input numbers product, average, and hold value in its variable.In the last step, a print method is used, that prints its round and format method value.

Program:

n1 = float(input('Input first number: '))#input first number

n2 = float(input('Input second number: '))#input second number

n3 = float(input('Input third number: '))#input third number

n4 = float(input('Input fourth number: '))#input fourth number

average = (n1+n2+n3+n4)/4 #calculate input number average

product = n1*n2*n3*n4 # calculate input number product

print('product: {:.0f} average: {:.0f}'.format(round(product),round(average))) #print product and average using round function

print('product: {:.3f} average: {:.3f}'.format(product,average)) #print product and average value

Output:

Please find the attachment.

Learn more:

brainly.com/question/14689516

The program calculates the product and average of four floating-point numbers, and outputs them as integers (rounded) and as floating-point numbers with three digits after the decimal point, using specified string formatting expressions.

Here's the Python code to achieve that:

# Input

num1 = float(input())

num2 = float(input())

num3 = float(input())

num4 = float(input())

# Calculate product and average

product = num1 * num2 * num3 * num4

average = (num1 + num2 + num3 + num4) / 4

# Output rounded integers

print('{:.0f} {:.0f}'.format(product, average))

# Output floating-point numbers with three digits after the decimal point

print('{:.3f} {:.3f}'.format(product, average))

User inputs four floating-point numbers.The product and average of the four numbers are calculated.Using string formatting with conversion specifiers, the product and average are output as integers (rounded) and as floating-point numbers with three digits after the decimal point.

This code snippet ensures the desired output format by using the specified string formatting expressions.

A Solutions Architect must review an application deployed on EC2 instances that currently stores multiple 5-GB files on attached instance store volumes. The company recently experienced a significant data loss after stopping and starting their instances and wants to prevent the data loss from happening again. The solution should minimize performance impact and the number of code changes required. What should the Solutions Architect recommend?

Answers

Answer:

Store the application data in an EBS volume

Explanation:

EC2 Instance types determines the hardware of the host computer used for the instance.

Each instance type offers different compute, memory, and storage capabilities and are grouped in instance families based on these capabilities

EC2 provides each instance with a consistent and predictable amount of CPU capacity, regardless of its underlying hardware.

EC2 dedicates some resources of the host computer, such as CPU, memory, and instance storage, to a particular instance.

EC2 shares other resources of the host computer, such as the network and the disk subsystem, among instances. If each instance on a host computer tries to use as much of one of these shared resources as possible, each receives an equal share of that resource. However, when a resource is under-utilized, an instance can consume a higher share of that resource while it’s available

What are the programming concepts (within or outside the scope of IT210) that you would like to strengthen and delve into further after this course. Why? What is your plan to learn more about the concept(s) you identify? Identify the course concept(s) that you would like this course to provide more content about. Why? Is there any topic and / or concept for which you need more explanation? In addition to Java, what are the programming languages you are interested to learn? Why?

Answers

Answer:

The description for the given question is described in the explanation section below.

Explanation:

I would like to reinforce in advanced or complex concepts such as documents as well as channels, internet programming, multi-threading, after that last lesson.

I am interested in learning web development to develop applications or software. I would also like to explore those concepts by using open source tools.Course concepts will have to develop models for handling.No there is no subject matter or definition you provide further clarity for.I'm interested in studying java as well as web development in comparison to C++ so I can use it in my contract work.

(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 triangle_char character. (1 pt) (2) Modify the program to use a loop to output a right triangle of height triangle_height. 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 triangle_height. Output a space after each user-specified character, including a line's last user-specified character. (2 pts) Example output for triangle_char = % and triangle_height = 5:

Answers

Answer:

Following are the code to this question can be described as follows:

c= input('Input triangle_char: ') #defining variable c that input character value  

length = int(input('Enter triangle_height: ')) # Enter total height of triangle

for i in range(length): # loop for column values

   for j in range(i+1): #loop to print row values

       print(c,end=' ') #print value  

   print()# for new line

Output:

please find the attachment.

Explanation:

In the above python code, two variable "c and length" variables are declared, in variable c is used to input char variable value, in the next line, length variable is defined, that accepts total height from the user.

In the next line, two for loop is declared, it uses as nested looping, in which the outer loop prints column values and inner the loop is used to prints rows. To prints all the value the print method is used, which prints the user input character triangle.
Final answer:

The question asks how to modify a program to print a right triangle using a character and height defined by the user. The solution is to use a nested loop, wherein an outer loop specifies the number of rows equal to the triangle's height and the inner loop iterates over each row to print the specified character. The range of the inner loop increases with each outer loop iteration.

Explanation:

To modify the given program to output a right triangle using the user-specified character and of a specified height, we would implement a nested loop in the program. An outer loop would control the number of rows, which equals the triangle's height, and an inner loop would handle the printing of the user-specified character per line. The inner loop's range would increase with each iteration of the outer loop. Here's an example in Python:

triangle_char = input('Enter a character: ') triangle_height = int(input('Enter triangle height: ')) for i in range(1, triangle_height + 1):for j in range(i): print(triangle_char, end=' ') print()

The triangle_char variable is the character used to generate the triangle. The triangle_height variable determines the number of rows. The range() function in the loops determines how many times the loop executes.

Learn more about Programming Nested Loops here:

https://brainly.com/question/35123300

#SPJ11

Write an algorithm using pseudocode to input numbers . reject any numbers that are negative and count how many numbers are positive . when the number zero is input the process ends and the count of positive numbers is output .​

Answers

Answer:

Explanation:

Let's use Python for this. We will start prompting the user for input number, until it get 0, count only if it's positive:

input_number = Input("Please input an integer")

positive_count = 0

while input_number != 0:

    if input_number > 0:

         positive_count += 1

    input_number = Input("Please input an integer")

print(positive_count)

   

Design and implement an application that reads a sequence of up to 25 pairs of names and postal (ZIP) codes for individuals. Store the data in an object designed to store a first name (string), last name (string), and postal code (integer). Assume each line of input will contain two strings followed by an integer value, each separated by a tab character. Then, after the input has been read in, print the list in an appropriate format to the screen.

Answers

Answer:

Kindly go to the explanation for the answer.

Explanation:

Person.java

public class Person{

private String firstName, lastName;

private int zip;

public Person(String firstName, String lastName, int zip) {

super();

this.firstName = firstName;

this.lastName = lastName;

this.zip = zip;

}

public String toString() {

String line = "\tFirst Name = " + this.firstName + "\n\tLast Name = " + this.lastName;

line += "\n\tZip Code = " + this.zip + "\n";

return line;

}

}

Test.java

import java.util.ArrayList;

import java.util.Scanner;

public class Test{

public static void main(String args[]) {

Scanner in = new Scanner(System.in);

ArrayList<Person> al = new ArrayList<Person>();

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

System.out.print("Enter person details: ");

String line = in.nextLine();

String words[] = line.split("\t");

String fname = words[0];

String lname = words[1];

int numb = Integer.parseInt(words[2]);

Person p = new Person(fname, lname, numb);

al.add(p);

}

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

System.out.println("Person " + (i + 1) + ":");

System.out.println(al.get(i));

}

}

}

Create an application that creates a report from quarterly sales. Console The Sales Report application Region Q1 Q2 Q3 Q4 1 $1,540.00 $2,010.00 $2,450.00 $1,845.00 2 $1,130.00 $1,168.00 $1,847.00 $1,491.00 3 $1,580.00 $2,305.00 $2,710.00 $1,284.00 4 $1,105.00 $4,102.00 $2,391.00 $1,576.00 Sales by region: Region 1: $7,845.00 Region 2: $5,636.00 Region 3: $7,879.00 Region 4: $9,174.00 Sales by quarter: Q1: $5,355.00 Q2: $9,585.00 Q3: $9,398.00 Q4: $6,196.00 Total sales: $30,534.00

Answers

Answer:

See explaination

Explanation:

package miscellaneous;

import java.text.NumberFormat;

import java.util.Currency;

import java.util.Locale;

public class sales {

public static void main(String[] args) {

double[][] sales= {

{1540.0,2010.0,2450.0,1845.0},//region1

{1130.0,1168.0,1847.0,1491.0},//region2

{1580.0,2305.0,2710.0,1284.0},//region3

{1105.0,4102.0,2391.0,1576.0}};//region4

//object for NumberFormat class

//needed in $

NumberFormat defaultFormat = NumberFormat.getCurrencyInstance(java.util.Locale.US);

System.out.println("The sales report application: ");

//the j(th) element in i(th) row in sales matrix contains sales value for

//sales in j(th) quarter

System.out.println("Sales by quarter: ");

System.out.println("Region\tQ1\t\tQ2\t\tQ3\t\tQ4");

for(int i=0;i<sales.length;i++) {

System.out.print(i+1+"\t");

for(int j=0;j<sales[i].length;j++) {

System.out.print(defaultFormat.format(sales[i][j])+"\t");

}

System.out.println();

}

//i(th) row in the matrix has sales for i(th) region

System.out.println("Sales by region: \n");

for(int i=0;i<sales.length;i++) {

System.out.print("Region "+(i+1)+":");

double region_sale=0;

for(int j=0;j<sales[i].length;j++) {

region_sale+=sales[i][j];

}

System.out.println(defaultFormat.format(region_sale));

}

System.out.println("\nSales by Quarter: \n");

//we have quarters so for adding up their sales we need 4 variables

double q1=0;

double q2=0;

double q3=0;

double q4=0;

for(int i=0;i<sales.length;i++) {

for(int j=0;j<sales[i].length;j++) {

//j=0 implies the sales data for first quarter

if(j==0) {

q1+=sales[i][j];

}

//j=1 implies the sales data for second quarter

if(j==1) {

q2+=sales[i][j];

}

//j=2 implies the sales data for third quarter

if(j==2) {

q3+=sales[i][j];

}

//j=3 implies the sales data for fourth quarter

if(j==3) {

q4+=sales[i][j];

}

}

}

System.out.println("Q1: "+defaultFormat.format(q1));

System.out.println("Q2: "+defaultFormat.format(q2));

System.out.println("Q3: "+defaultFormat.format(q3));

System.out.println("Q4: "+defaultFormat.format(q4));

//with the help of 2 loops every sales data

//in the matrix can be accessed, which can be added

//to total_sales variable

double total_sales=0;

for(int i=0;i<sales.length;i++) {

for(int j=0;j<sales[i].length;j++) {

total_sales+=sales[i][j];

}

}

System.out.println("\nTotal Sales: "+defaultFormat.format(total_sales));

}

}

Pfizer increases production of Zithromax® after finding that the number of cases of blinding trachoma is increasing in parts of Africa.

Answers

Answer:

Take Corrective Action

The pseudo-class selectors for links let you use CSS to change the formatting for all but one of the following. Which one is it?
a.
a link that has the focus or is being hovered over
b.
a link that is inactive
c.
a link that hasn’t been visited
d.
a link that has been visited

Answers

B. A link that is inactive

please code this in c++

5.19 Farmer's market - files

Get the file name from the user and open it using code. The file has the product name and price/lb in each line.

Until the EOF is reached:

Read the product name from the file

prompt the user for entering the weight of that product. (Points will be taken off if you hard-code the product name inside your code).

Once the user enters the weight(0 if user does not buy that item), calculate the cost of that item by reading the price of that item from the file and multiplying by the weight entered by the user.

Maintain a running total of the cost until all the items have been entered by user.

Once EOF is reached, display the total cost of the purchase

product.txt // contains the following

apple 1.59
orange 0.99
banana 0.69
grapes 2.99

Answers

Answer:

See explaination

Explanation:

#include<iostream>

#include<fstream>

using namespace std;

int main(){

double price, totalPrice = 0, weight;

string product, filename;

cout<<"Enter filename: ";

cin>>filename;

ifstream fin;

fin.open(filename.c_str());

while(fin>>product>>price){

cout<<"Enter weight for "<<product<<": ";

cin>>weight;

totalPrice+=price*weight;

}

cout<<"\nThe total cost of the purchase: $"<<totalPrice<<endl;

return 0;

}

Which of the following is a possible disadvantage of recursion? Question 10 options: Recursive solutions can be less efficient than their iterative counterparts Recursive solutions tend to be longer than their iterative counterparts Recursive solutions are more likely to go into infinite loops than their iterative counterparts Recursive solutions tend to have more local variables than their iterative counterparts

Answers

Answer:

Recursive solutions can be less efficient than their iterative counterparts

Explanation:

Recursion can be defined or described as a method of solving a problem where the solution depends on solutions to smaller instances of the same problem.

It entails using iteration to ensure that smaller parts of a solution are satisfied towards solving thw overall problem.

Ita major disadvantage seems to be that it seem to be less efficient than their iterative counterparts. This is as a result of concentrating on trying to solve a smaller instances.

Amanda indicates that she wants to do some advertising to make people in the local area aware of the development, but she admits that her advertising budget is limited, so she wants to spend her advertising dollars wisely by reaching her target audience -- adults age 55+.She asks you for your recommendations on the following advertising media. Which of the following advertising media would you recommend as being most useful in promoting Act Two Retirement Community to the target market?

Television
Radio
AARP Magazine
Direct mail

Answers

Answer:

Either Radio or AARP Magazine

Explanation:

Given the clue that Amanda's audience is aimed towards adults aged 55+, they were born before online mail and televisions were big on the market. Many seniors enjoy reading daily news papers while others enjoy getting their news from an audio channel like the radio.

To effectively promote Act Two Retirement Community to the target market of adults aged 55+, I would recommend focusing on advertising media that resonate with this demographic and offer cost-effective ways to reach them.

Among the options provided:

AARP Magazine: This publication is specifically tailored to the 50+ age group and offers a highly targeted platform to reach the desired audience. It provides an opportunity to showcase the retirement community's features and benefits in detail.

Direct Mail: Direct mail can be an effective way to reach the target audience directly in their homes. It allows for personalized, detailed information about the retirement community, making it suitable for a demographic that appreciates tangible information.

Read more about adverts here:

https://brainly.com/question/14227079

#SPJ3

Write a program that opens a text file (name the textfile "problem4.txt") and reads its contents into a queue of characters. The user must then enter a character they are looking for. The program should then dequeue each character and count the number of characters that are equal to what the user is looking for. Output the count of the character or lack thereof in a second file (name the textfile "resultsp4.txt").

Answers

Answer:

See explaination

Explanation:

/* reading a text file Character by Character

* Enter the character to Queue

* Search Specific character and Printingits occurrence

* otherwise Lack thereof

*/

// Include header file for File Reading

#include <iostream>

#include <fstream>

// Maximum no of character in a file

# define N 50

using namespace std;

// Queue Data Structure

typedef struct

{

char arr[N];

int front;

int rear;

int size;

}Queue;

// Function Prototypes

void initialize(Queue*);

void Enqueue(Queue*,char);

char Dequeue(Queue*);

int isEmpty(Queue*);

int isFull(Queue*);

int Qsize(Queue*);

int main () {

// Variable Declaration

char ch;

char searchchar;

// Allocating memeory for the Queue.

Queue *Q=(Queue *)malloc(sizeof(Queue));

// Reading from the file

fstream fin("problem4.txt", fstream::in);

//initialize Queue with front rear and size

initialize(Q);

//Looping through the file and Enqueue it in Queue

while (fin >> noskipws >> ch) {

Enqueue(Q,ch);

}

// close the opened file.

fin.close();

int i=0;

int n=Qsize(Q);

int count=0;

//Asking user for Input

cout << "Please character to found ";

cin >> searchchar;

while (i<n) {

if(Dequeue(Q)==searchchar)

count++; // if found increase the count

i++;

}

// Total Count od character searched

cout << "Total Count of Character " << count << endl;

// Output Total Count of Character to a file named resultsp4.txt

ofstream outfile;

outfile.open("resultsp4.txt");

cout << "Writing to the file" << endl;

if (count>0)

outfile << "The total occurence of the " << searchchar <<" is "<< count <<endl;

else

outfile << "lack thereof " << searchchar <<endl;

// close the opened file.

outfile.close();

return 0;

}

void initialize(Queue *Q)

{

Q->front=-1;

Q->rear=-1;

Q->size=0;

}

void Enqueue(Queue * Q,char ch)

{

(Q->rear)+=1;

(Q->arr[Q->rear])=ch;

(Q->size)++;

}

char Dequeue(Queue * Q)

{

char ch=Q->arr[Q->front];

(Q->front)++;

(Q->size)--;

return ch;

}

int isEmpty(Queue * Q)

{

if ((Q->size)==0)

return 1;

else

return 0;

}

int isFull(Queue * Q)

{

if ((Q->size)==N)

return 1;

else

return 0;

}

int Qsize(Queue * Q)

{

return Q->size;

}

Extra Credit Programming Assignment(7points)Due May 1, midnightWrite a JavaFX application that presents 20 circles, each with a random radius and location. If a circle does not overlap any other circle, fill in the circle with black. Fill in overlapping circles with a translucent blue. Use an array to store the circle objects,and check each new circle to see if it overlaps any previous created circle. Two circles overlap is the distance between their center points is less than the sum of their radii

Answers

Answer:

See Explaination

Explanation:

// CircleOverlap.java

import java.util.Random;

import javafx.application.Application;

import static javafx.application.Application.launch;

import javafx.scene.Scene;

import javafx.scene.layout.Pane;

import javafx.scene.paint.Color;

import javafx.scene.paint.Paint;

import javafx.scene.shape.Circle;

import javafx.stage.Stage;

public class CircleOverlap extends Application {

atOverride //Replace the at with at symbol

public void start(Stage primaryStage) {

//creating a Random number generator object

Random random = new Random();

//setting window size

int windowWidth = 500;

int windowHeight = 500;

//initializing array of circles

Circle array[] = new Circle[20];

//looping for 20 times

for (int i = 0; i < array.length; i++) {

//generating a value between 10 and 50 for radius

int radius = random.nextInt(41) + 10;

//generating a random x,y coordinates, ensuring that the circle fits

//within the window

int centerX = random.nextInt(windowWidth - 2 * radius) + radius;

int centerY = random.nextInt(windowHeight - 2 * radius) + radius;

//creating Circle object

Circle circle = new Circle();

circle.setCenterX(centerX);

circle.setCenterY(centerY);

circle.setRadius(radius);

//adding to array

array[i] = circle;

//flag to check if circle is overlapping any previous circle

boolean isOverlapping = false;

//looping through the previous circles to see if they are overlapping

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

//finding x, y and radius of current circle under check

double x2 = array[j].getCenterX();

double dx = x2 - centerX;

double y2 = array[j].getCenterY();

double dy = y2 - centerY;

double r2 = array[j].getRadius();

//finding distance between this circle and the circle under check

double distance = Math.sqrt((dx * dx) + (dy * dy));

//checking if distance<radius1+radius2

if (distance <= (radius + r2)) {

//overlapping, setting transclucent blue color

Paint c = new Color(0, 0, 1.0, 0.3);

array[i].setFill(c);

isOverlapping = true;

//also changing the color of other circle

array[j].setFill(c);

}

}

if (!isOverlapping) {

//not overlapping, setting black color

array[i].setFill(Color.BLACK);

}

}

//creating a pane and adding all circles

Pane root = new Pane();

root.getChildren().addAll(array);

Scene scene = new Scene(root, windowWidth, windowHeight);

primaryStage.setScene(scene);

primaryStage.setTitle("");

primaryStage.show();

}

public static void main(String[] args) {

launch(args);

}

}

Use the Law of Sines to solve the triangle. Round your answers to two decimal places.
A = 99.7°, C = 20.4º, a = 27.4​

Answers

Answer: 37.1

Explanation: The Law of sines states that there is a proportionality between a side of triangle and its correspondent angle, i.e.:

[tex]\frac{a}{sinA} = \frac{b}{sinB} = \frac{c}{sinC}[/tex]

where:

a, b and c are sides

A, B and C are angles

In the question, there is a triangle with 27.4 as a measure of side a, angles A and C. So, it wants the side c:

[tex]\frac{a}{sinA} = \frac{c}{sinC}[/tex]

[tex]\frac{27.4}{sin(99.7)} = \frac{c}{sin(20.4)}[/tex]

c = [tex]\frac{27.4.sin(20.4)}{sin(99.7)}[/tex]

c = 37.1

The side c is 37.1

Which of the following should you NOT do when using CSS3 properties to create text columns for an article element? a. make the columns wide enough to read easily b. include a heading in the article element c. set rules between the columns of the article element d. justify the text

Answers

Answer:

b. include a heading in the article element

Explanation:

If you put a heading element in an article element where you've applied the CSS column property or similar, the heading will be forced into one of the columns.

B I believe it is so

Create a structure with variables for a character, a string, an integer, and a floating point number. [Note: Use Typedef way of creating the structure]. The structure string variable is a "char* stringp". In other words, the structure will have a pointer to a string. Do not initialize the structure at definition time.

Answers

Answer:

See explaination

Explanation:

#include <stdio.h>

#include <stdlib.h>

#include <string.h>

//we are creataing a structure and naming it 'datatype' using typedef

typedef struct structure

{

int n;

char ch;

char *stringp;

float f;

} datatype;

void main()

{

//declaring 5 'datatype' type pointers using array

datatype *dataArray[5];

int i;

char str[500];

//dynamically allocating the structure pointers

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

dataArray[i] = (datatype *)malloc(sizeof(datatype));

//loop for data input

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

{

printf("\nEnter Data for structure %d:\n", i + 1);

printf("Enter an integer: ");

scanf("%d", &dataArray[i]->n);

printf("Enter a single character: ");

//we need fflush to clear the input stream in order to be able

// to take new values

fflush(stdin);

//notice the blankspace before %c, this makes scanf ignore the preceding '\n' character

scanf(" %c", &dataArray[i]->ch);

//we need fflush to clear the input stream in order to be able

// to take new values

fflush(stdin);

printf("Enter a string: ");

gets(str);

//dynamically allocating the size of stringp to fit the input string

//perfectly

dataArray[i]->stringp = (char *)malloc(sizeof(char) * (strlen(str) + 1));

strcpy(dataArray[i]->stringp, str);

printf("Enter a float: ");

scanf("%f", &dataArray[i]->f);

}

//output loop 1

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

{

printf("\n\nStructure %d", i + 1);

printf("\nStructure %d pointer: %p", i + 1, dataArray[i]);

printf("\nCharacter: %c", dataArray[i]->ch);

printf("\nInteger: %d", dataArray[i]->n);

printf("\nString: %s", dataArray[i]->stringp);

printf("\nFloating Point: %.1f", dataArray[i]->f);

}

//freeing the 5 pointers of memory

for(i = 0; i < 5; i++) free(dataArray[i]);

//output loop 2

printf("\n\nAfter free the malloc - the pointer are: ");

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

printf("\nStructure %d pointer: %p", i + 1, dataArray[i]);

}

Implement the A5/1 algorithm. Suppose that, after a particular step, the values of the register are: X = (x0, x1, …, x18) = (1010101010101010101) Y = (y0, y1, …, y21) = (1100110011001100110011) Z = (z0, z1, …, z22) = (11100001111000011110000) List the next 32 keystream bits and give the contents of X, Y, and Z after these 32 bits have been generated.

Answers

Answer:

Check the explanation

Explanation:

After a particular step the registers X, Y and Z values are as it is in the first attached image below.

Now calculate the key stream bit, s using the following formula:

key stream bit , s= x0 XOR y0 XOR z0

                       s= 1 XOR 1 XOR 1

           Hence, the 1st key bit stream ,s= 1

Now, for the next step we have to re calculate the contents of registers X, Y and Z as it is in the second attached image below.

For register X:

t= x5 XOR x2 XOR x1 XOR x0

= 0 XOR 1 XOR 0 XOR 1

t=0

For register Y:

t= y1 XOR y0

=1 XOR 1

t=0

For register Z:

t= z15 XOR z2 XOR z1 XOR z0

=1 XOR 1 XOR 1 XOR 1

t=0

Now, the contents of X, Y and X are as it is in the third attached image below.

Key stream bit, s= x0 XOR y0 XOR z0

                             S= 0 XOR 1 XOR 1

                             Hence the 2nd key stream bit, s= 0

The A5/1 algorithm generates keystream bits by shifting three LFSRs based on a majority bit mechanism and producing output bits through XOR operations. Following this process, the registers X, Y, and Z are updated, and the keystream is generated. The new register states and keystream give us the final output.

The A5/1 algorithm uses three Linear Feedback Shift Registers (LFSRs) named X, Y, and Z. Here are the initial states of the registers:

X = (1010101010101010101)Y = (1100110011001100110011)Z = (11100001111000011110000)

To generate the next 32 keystream bits and update the registers, the following steps are followed:

Identify the majority bit of X<11>, Y<11>, and Z<11>.Only the registers with bits equal to the majority bit are shifted.Shift each register, updating the bits according to their feedback taps (for X: positions 13, 16, 17, 18; for Y: positions 20, 21; for Z: position 7, 20, 21, 22).Compute the output bit as the XOR of bits X<18>, Y<21>, Z<22>.Repeat until 32 bits are produced.

After generating 32 keystream bits, the contents of the registers and the keystream are:

Keystream = (Provide the actual calculation here)X = (Updated state)Y = (Updated state)Z = (Updated state)

Write a function called find_max that takes in a single parameter called random_list, which should be a list. This function will find the maximum (max) value of the input list, and return it. This function will assume the list is composed of only positive numbers. To find the max, within the function, use a variable called list_max that you initialize to value 0. Then use a for loop to loop through random_list. Inside the list, use a conditional to check if the current value is larger than list_max, and if so, re-assign list_max to store this new value. After the loop, return list_max, which should now store the maximum value from within the input list.

Answers

Answer:

see explaination

Explanation:

python code

def find_max(random_list):

list_max=0

for num in random_list:

if num > list_max:

list_max=num

return list_max

print(find_max([1,45,12,11,23]))

Suppose you design an algorithm to multiply two n-bit integers x and y. The general multiplication technique takes T(n) = O(n2) time. For a more efficient algorithm, you first split each of x and y into their left and right halves, which are n=2 bits long. For example, if x = 100011012, then xL = 10002 and xR = 11012, and x = 24 xL + xR. Then the product of x and y can be re-written as the following: x y = 2n (xL yL) + 2n=2 (xL yR + xR yL) + (xR yR)

Answers

Answer:

See Explaination

Explanation:

a) Assume there are n nits each in x and y.SO we divide them into n/2 and n/2 bits.

x = xL * 2^{n/2} + xR

y = yL * 2^{n/2} + yR

x.y = 2^{n}.(xL.yL) + 2^{n/2}.(xL.yR + xR.yL) +(xR.yR)

If you see there are 4 multiplications of size n/2 and we took all other additions and subtractions as O(n).

So T(n) = 4*T(n/2) + O(n)

Now lets find run time using master theorem.

T(n) = a* T(n/b) + O(n^{d})

a = 4

b = 2

d = 1

if a > b^{d}

T(n) = O(n^v) where v is log a base b

In our case T(n) = O(n^v) v = 2

=> T(n) = O(n^{2})

The splittinng method is not benefecial if we solve by this way as the run time is same even if go by the naive approach

b)

x.y = 2^{n}.(xL.yL) + 2^{n/2}.((xL+xR).(yL+yR)-(xL.yL) - (xR.yR)) +(xR.yR)

Here we are doing only three multipliactions as we changed the term.

So T(n) = 3*T(n/2) + O(n)

a = 3

b = 2

d = 1

if a > b^{d}

T(n) = O(n^v) where v is log a base b

In our case T(n) = O(n^v) v = log 3 base 2

v = 1.584

So T(n) = O(n^{1.584})

As we can see this is better than O(n^{2}).Therefore this algorithm is better than the naive approach.

Implement the logic function ( , , ) (0,4,5) f a b c m =∑ in 4 different ways. You have available 3to-8 decoders with active high (AH) or active low (AL) outputs and OR, AND, NOR and NAND gates with as many inputs as needed. In every case clearly indicate which is the Most Significant bit (MSb) and which is the Least Significant bit (LSb) of the decoder input.

Answers

Answer:

See explaination

Explanation:

Taking a look at the The Logic function, which states that an output action will become TRUE if either one “OR” more events are TRUE, but the order at which they occur is unimportant as it does not affect the final result. For example, A + B = B + A.

Alternatively the Most significant bit which is also known as the alt bit, high bit, meta bit, or senior bit, the most significant bit is the highest bit in binary.

See the attached file for those detailed logic functions designed with relation to the questions asked.

Bob and Alice have agreed that Bob would answer Alice's invitation using ElGamal with the following parameters: ( prime p = 29, e1= 3, d = 5 and the random r = 7 ) find first the set of public and private keys. Bob replies in pairs of C1,C2 as follows: (12, 27), (12, 19), (12, 13), (12, 22), (12, 0), (12, 2), (12, 25), (12, 19), (12, 1), (12, 22), (12, 3), (12, 23), (12, 1), (12, 4). Please decipher the response that Bob sent to Alice.

Answers

Answer:

540, 380,260,440, 0, 40, 500, 380, 20, 440, 60, 460, 20 and 80.

Explanation:

So, we are given the following parameters or data or information which is going to assist us in solving the question above, they are;

(1). "prime p = 29, e1= 3, d = 5 and the random r = 7"

(2). C1C2 reply; "(12, 27), (12, 19), (12, 13), (12, 22), (12, 0), (12, 2), (12, 25), (12, 19), (12, 1), (12, 22), (12, 3), (12, 23), (12, 1), (12, 4)".

So, let us delve into the solution to the question;

Step one: determine the primitive modulo 29.

These are; 2, 3, 8, 10, 11, 14, 15, 18, 19, 21, 26, 27.

Step two: Compute V = k ^c mod p.

Say k = 2.

Then;

V = 2^7 mod 29 = 128 mod 29.

V = 12.

Step three: determine the Public key.

Thus, (p,g,y) = (29,2,12)

Private key = c = 7.

Step four: decipher.

Thus for each code pair we will decided it by using the formula below;

(1). (12,27).

W = j × b^(p - 1 - c) mod p.

W= 27 × 12^(29 -1 -7) mod 29. = 540

(2). (12, 19).

19 × 12^(29 - 1 - 7) mod 29.

( 12^(29 - 1 - 7) mod 29 = 20).

= 19 × 20 = 380.

(3).(12, 13) = 13× 20 = 260.

(4). (12, 22) = 22 × 20 = 440

(5). (12, 0) = 0 × 20 = 0.

(6). (12, 2) = 2× 20= 40.

(7). (12, 25) = 25 × 20 = 500.

(8). (12, 19) = 19 × 20 = 380.

(9).(12, 1) = 1 × 20 = 20.

(10). (12, 22) = 22 × 20 = 440.

(11). (12, 3) = 3× 20 = 60.

(13). (12, 23) = 23 × 20 = 460.

(14). (12, 1) =1 × 20 = 20.

(15). (12, 4) = 4 × 20 = 80.

Answer:

Answer:

540, 380,260,440, 0, 40, 500, 380, 20, 440, 60, 460, 20 and 80.

Explanation:

So, we are given the following parameters or data or information which is going to assist us in solving the question above, they are;

(1). "prime p = 29, e1= 3, d = 5 and the random r = 7"

(2). C1C2 reply; "(12, 27), (12, 19), (12, 13), (12, 22), (12, 0), (12, 2), (12, 25), (12, 19), (12, 1), (12, 22), (12, 3), (12, 23), (12, 1), (12, 4)".

So, let us delve into the solution to the question;

Step one: determine the primitive modulo 29.

These are; 2, 3, 8, 10, 11, 14, 15, 18, 19, 21, 26, 27.

Step two: Compute V = k ^c mod p.

Say k = 2.

Then;

V = 2^7 mod 29 = 128 mod 29.

V = 12.

Step three: determine the Public key.

Thus, (p,g,y) = (29,2,12)

Private key = c = 7.

Step four: decipher.

Thus for each code pair we will decided it by using the formula below;

(1). (12,27).

W = j × b^(p - 1 - c) mod p.

W= 27 × 12^(29 -1 -7) mod 29. = 540

(2). (12, 19).

19 × 12^(29 - 1 - 7) mod 29.

( 12^(29 - 1 - 7) mod 29 = 20).

= 19 × 20 = 380.

(3).(12, 13) = 13× 20 = 260.

(4). (12, 22) = 22 × 20 = 440

(5). (12, 0) = 0 × 20 = 0.

(6). (12, 2) = 2× 20= 40.

(7). (12, 25) = 25 × 20 = 500.

(8). (12, 19) = 19 × 20 = 380.

(9).(12, 1) = 1 × 20 = 20.

(10). (12, 22) = 22 × 20 = 440.

(11). (12, 3) = 3× 20 = 60.

(13). (12, 23) = 23 × 20 = 460.

(14). (12, 1) =1 × 20 = 20.

(15). (12, 4) = 4 × 20 = 80.

Explanation:

Programming Exercise 8.2 on page 327. Additional details: The size of an array cannot be changed based on user input (dynamic memory allocation), so the matrix should be dimensionsed to the max size ever expected (10 x 10 perhaps). Prompt user to enter N (the size of the N x N matrix). The program should work for any N >= 2. N should not be used anywhere for matrix dimensions. It is only used in for loops to control user input and printing. Note that a 3x3 matrix is really just using the upper corner of the 10x10 matrix. Prompt the user to enter the elements in the matrix row-by-row. Display the NxN matrix. Display the sum of the elements in the major diagonal. The sum should be displayed from the main function, not from the function sumMajorDiagonal. Include a printout of the main program and the function. Include printouts for the test case in the textbook as well as for a 2x2 matrix and a 3x3 matrix.

Answers

Answer:

#include<iostream>

using namespace std;

double sumMajorDiagonal(double n,double sum);

int main()

{

int N;

double a[10][10],n,sum=0; //declare and define matrix of size 10x10

cout<<"Enter the size of the matrix: ";

cin>>N; //input the size of the matrix

if(N<2) //check condition wheather size of the matrix is greater than or equal to 2

{

cout<<"Size of matrix must be 2 or more!"<<"\n";

return 0;

}

for(int i=0;i<N;i++) //loop for Row

{

for(int j=0;j<N;j++) //loop for column

{

cout<<"Enter element: ";

cin>>n; //input the element in matrix

a[i][j] = n;

if(i==j) //check for major diagonal condition

{

sum = sumMajorDiagonal(a[i][j],sum); //call sunMajorDiagonal funtion if condition statisfied

}

}

}

for(int i=0;i<N;i++) //loop for row

{

for(int j=0;j<N;j++) //loop for column

{

cout<<a[i][j]<<" "; //print elements of matrix

}

cout<<"\n"; //next line for new row

}

cout<<"Sum of the elements of major diagonal is: "<<sum<<"\n"; //print sum of the major row calculated

}

double sumMajorDiagonal(double n,double sum)

{

return sum+n; //add the major diagonal elements and return the value

}

Explanation:

See attached image for output

Define a function drawCircle.

This function should expect a Turtle object, the coordinates of the circle's center point, and the circle's radius as arguments.The function should draw the specified circle. The pen color should be changed to yellow before drawing a circle and the width of the pen to 5 pixels. The algorithm should draw the circle's circumference by turning 3 degrees and moving a given distance 120 times. Calculate the distance moved with the formula 2.0*n*radius/120.0.

Fill in the circle with blue color. After drawing the circle, hide the turtle.

import turtle

import math

def drawCircle(centerpoint, radius):

degree = 3

count = 0

centerpoint = (2.0 * math.pi * radius / 120)

t.home()

t.setheading(degree)

while count <= 120:

t.down()

t.forward(2.0 * math.pi * radius / 120)

t.up()

degree += 3

t.setheading(degree)

count += 1

drawCircle(centerpoint, radius)

Answers

Final answer:

To draw a circle using a Turtle object in Python, you can define a function called drawCircle that takes in the Turtle object, the center point coordinates, and the radius as arguments. This code uses the turtle module in Python to draw a circle.

Explanation:

Draw a Circle using a Turtle in Python

To draw a circle using a Turtle object in Python, you can define a function called drawCircle that takes in the Turtle object, the center point coordinates, and the radius as arguments. Here's an example of how the function can be implemented:

import turtle
import math

def drawCircle(t, centerpoint, radius):
   t.pensize(5)
   t.color('yellow')
   circumference_distance = 2.0 * math.pi * radius / 120.0
   angle = 3
   t.penup()
   t.goto(centerpoint)
   t.pendown()
   for _ in range(120):
       t.forward(circumference_distance)
       t.right(angle)
   t.fillcolor('blue')
   t.begin_fill()
   t.circle(radius)
   t.end_fill()
   t.hideturtle()
t = turtle.Turtle()
drawCircle(t, (0, 0), 100)

This code uses the turtle module in Python to draw a circle. It sets the pen size to 5 pixels and the color to yellow. The circle is drawn by turning 3 degrees and moving a distance of 2.0 * math.pi * radius / 120.0. After drawing the circumference, the function fills the circle with a blue color and hides the turtle.

Final answer:

The drawCircle function is designed for the Python Turtle library to draw a colored circle based on specified parameters. The Turtle's pen is set to yellow and the pen width to 5 pixels before the circle is drawn and filled with blue. After drawing, the Turtle is hidden.

Explanation:

The function drawCircle is intended to work with the Python Turtle graphics library to draw a circle on the screen. The function will expect a Turtle object, the coordinates of the circle's center point, and the circle's radius as arguments. Below is a corrected version of the function that follows the stated requirements:

import turtle
import math

def drawCircle(t, x, y, radius):
   t.penup()
   t.goto(x, y-radius) # Move to the circle's starting point
   t.setheading(0) # Face east
   t.pendown()
   t.color('yellow')
   t.width(5)
   t.begin_fill()
   t.fillcolor('blue')

   for _ in range(120):
       t.forward(2.0 * math.pi * radius / 120.0)
       t.left(3)

   t.end_fill()
   t.hideturtle()

Make sure to create a Turtle object and pass it to the drawCircle function along with the center point's coordinates and the radius of the circle you wish to draw.

Use semaphore(s) to solve the following problem. There are three processes: P1, P2, and P3. Each process Pi has a segment of codes Ci, i=1, 2, 3. These three processes are executed only once, i.e., no repeat or loop at all, and their executions can start at any time. Your goal is to ensure that the execution of C1, C2, and C3 must satisfy the following conditions:
a. If C1 is executed ahead of C2 and C3, C2 must be executed ahead of C3.
b. Otherwise, C1 must be executed after both C2 and C3 are executed. In this case, the order of C2 and C3's execution doesn't matter. One of the possible execution orders is demonstrated below. Obviously, two other possible sequences in time are C2, C3, C1 and C3, C2, C1.
Please write your algorithm level code for semaphore initialization and usage in each code segment. [Hint: no if statements should ever be used. All you need is some semaphore function calls surrounding C1, C2, and C3 and their initial values.]

Answers

Answer:

See explaination

Explanation:

Here we will use two semaphore variables to satisfy our goal

We will initialize s1=1 and s2=1 globally and they are accessed by all 3 processes and use up and down operations in following way

Code:-

s1,s2=1

P1 P2 P3

P(s1)

P(s2)

C1

V(s2) .

P(s2). .

. C2

V(s1) .

P(s1)

. . C3

V(s2)

Explanation:-

The P(s1) stands for down operation for semaphore s1 and V(s1) stands for Up operation for semaphore s1.

The Down operation on s1=1 will make it s1=0 and our process will execute ,and down on s1=0 will block the process

The Up operation on s1=0 will unblock the process and on s1=1 will be normal execution of process

Now in the above code:

1)If C1 is executed first then it means down on s1,s2 will make it zero and up on s2 will make it 1, so in that case C3 cannot execute because P3 has down operation on s1 before C3 ,so C2 will execute by performing down on s2 and after that Up on s1 will be done by P2 and then C3 can execute

So our first condition gets satisfied

2)If C1 is not executed earlier means:-

a)If C2 is executed by performing down on S2 then s2=0,so definitely C3 will be executed because down(s2) in case of C1 will block the process P1 and after C3 execute Up operation on s2 ,C1 can execute because P1 gets unblocked .

b)If C3 is executed by performing down on s1 then s1=0 ,so definitely C2 will be executed now ,because down on s1 will block the process P1 and after that P2 will perform up on s1 ,so P1 gets unblocked

So C1 will be executed after C2 and C3 ,hence our 2nd condition satisfied.

Create a Visual Logic flow chart with four methods. Main method will create an array of 5 elements, then it will call a read method, a sort method and a print method passing the array to each. The read method will prompt the user to enter 5 numbers that will be stored in the array. The sort method will sort the array in ascending order (smallest to largest). The print method will print out the array.

Answers

Answer:

See explaination

Explanation:

import java.util.Scanner;

public class SortArray {

public static void main(String[] args) {

// TODO Auto-generated method stub

Scanner sc = new Scanner(System.in);

System.out.println("Enter Size Of Array");

int size = sc.nextInt();

int[] arr = new int[size]; // creating array of size

read(arr); // calling read method

sort(arr); // calling sort method

print(arr); // calling print method

}

// method for read array

private static void read(int[] arr) {

Scanner sc = new Scanner(System.in);

for (int i = 0; i < arr.length; i++) {

System.out.println("Enter " + i + "th Position Element");

// read one by one element from console and store in array

arr[i] = sc.nextInt();

}

}

// method for sort array

private static void sort(int[] arr) {

for (int i = 0; i < arr.length; i++) {

for (int j = 0; j < arr.length; j++) {

if (arr[i] < arr[j]) {

// Comparing one element with other if first element is greater than second then

// swap then each other place

int temp = arr[j];

arr[j] = arr[i];

arr[i] = temp;

}

}

}

}

// method for display array

private static void print(int[] arr) {

System.out.print("Your Array are: ");

// display element one by one

for (int i = 0; i < arr.length; i++) {

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

}

}

}

See attachment

Create a function average_temp(s) that accepts a file name s that contains temperature readings. Each line in the file contains a date followed by 24 hourly temperature readings in a comma-separated-value format, like this example:

2/3/2016,18,17,17,18,20,22,25,30,32,32,32,33,31,28,26,26,25,22,20,20,19,18,18,18

For each line in the file, the function should print out a line containing two items: the date, then comma, then the average temperature on that date, e.g.

3/5/2018, 58.24

3/6/2018, 60.11

3/7/2018, 57.55

Answers

Answer:

def average_temp(s): f = open("s.txt","r") for line in f: myList = line.split(",") print(myList[0],end=",") t=0 for i in range(1,25,1): t += int(myList[i]) t /= 24 print(t) f.close()

def average_temp(s):

f = open("s.txt","r")

for line in f:

myList = line.split(",")

print(myList[0],end=",")

t=0

for i in range(1,25,1):

t += int(myList[i])

t /= 24

print(t)

f.close()

Explanation:

I used Python for the solution.

Other Questions
Help give me the right amdwer A baking pantry is making packages. Each package contains 4 identical bags of flour and a 7 pound bag of sugar. The package weighs a total of 64 pounds. How much does each bag of flour way What are the most common environmental stimuli that animals respond to?What are the major responses to weather and temperature? measurements in order from shortest to longest. 1 cm 1m 1mm 1km Likert company manufactures extremely accurate scales. They use a standard costing system. Last year the company projected that 296,000 scales would be produced. When Likert company closed out manufacturing overhead, they recorded a $129,000 debit to the FOH Budget Variance and a $150,000 credit to the FOH Volume Variance. Likert company budgeted $2,375,000 of fixed overhead. What was the actual amount of fixed overhead You should process the tokens by taking the first letter of every fifth word,starting with the first word in the file. Convert these letters to uppercase andappend them to a StringBuilder object to form a word which will be printedto the console to display the secret message. If I add 375 of water to 125 mL of a 0.90 M NaOH solution, what will the molarity of the diluted solution be? For 16 and 17, use the dot plot of the numberof cars sold at a car dealership per weekduring the first half of the year.8121 16Cars Sold20 24216. Find the mean, median, and range.Mean =MedianRange - If sally walked 1/2 mile in 1/4 hour, how fast was she walking measured in miles per hour What is the correct meaning of the word novelty?The novelty of Grayson's job wore off after awhile.a. enjoyment or pleasureb. worry or anxietyc. distress or difficultyd. state or quality of being new How do substances differ after a chemical change?The physical properties of the substance stay the same.The physical property of the substance will change.The physical property of the substance will become better. Which programming language will you use to create an App in code.org?A. Java ScriptB. C++C. Pearl Victoria is 30 years old. She has $700 in a checking account, $9000 in asavings account, $16,000 in a retirement account, and owns a car worth$6000. What is the total value of her liquid assets?A. $16,000B. $31,700C. $9700D. $15,700 Concord Company is involved in producing and selling high-end golf equipment. The company has recently been involved in developing various types of laser guns to measure yardages on the golf course. One small laser gun, called LittleLaser, appears to have a very large potential market. Because of competition, Concord does not believe that it can charge more than $100 for LittleLaser. At this price, Concord believes it can sell 106,000 of these laser guns. Concord will require an investment of $8,056,000 to manufacture, and the company wants an ROI of 25%. Determine the target cost for one LittleLaser. Target cost $ -4(v+1)Please help I need 5 examples of how time would be used to produce a hamburger How many different ways can a string of 23 pearls be strung The _____ is one of the way paces where North America and Pacific Plates meet. Plessy v. Fergusons case was decided in ___________________a. May 18, 1896b. May 18, 1869c. May 19, 1896d. May 19, 1869 What was different about the Slave trade than slavery before? (Think about AncientSocieties, Rome, Aztecs) Steam Workshop Downloader