The common field cricket chirps in direct proportion to the current tem­perature. Adding 40 to the number of times a cricket chirps in a minute, then dividing by 4, gives us the temperature (in Fahrenheit degrees). Write a program that accepts as input the number of cricket chirps in fifteen seconds, then outputs the current temperature.

Answers

Answer 1

Answer:

chirps = int(input("Enter the number of cricket chirps in fifteen seconds: "))

temperature = chirps + 40

print("The temperature is: " + str(temperature))

Explanation:

*The code is in Python.

Ask the user to enter the number of cricket chirps in fifteen seconds

Use the given formula to calculate the temperature (Note that since the user enters the number of cricket chirps in fifteen seconds, I did not divide the sum by 4)

Print the temperature


Related Questions

Design and implement a program (name it Youth) that reads from the user an integer values repressing age (say, age). The program prints out the entered values followed by a message as follows: If age is less or equal to 21, the message is "Age is a state of mind.". Finally, the program always prints out the message "Age is a state of mind." Format the outputs following the sample runs below.
Sample run 1:
You entered: 20
Youth is a wonderful thing. Enjoy.
Age is a state of mind.

Answers

Answer:

The programming language is not stated; I'll answer this question using C++ programming language;

Another thing to note is that; the sample run is quite different from the illustration in the question; So, I'll assume the program to print "Youth is a wonderful thing. Enjoy.", if and only if age is less than or equal to 21

The program is as follows

#include<iostream>

using namespace std;

int main()  {

int age;

int i =1;

start:

cout<<"Sample run: "<<i<<endl;

cout<<"You entered: ";

cin>>age;

if(age<=21)  {

 cout<<"Youth is a wonderful thing. Enjoy."<<endl; }

cout<<"Age is a state of mind"<<endl;

i++;

cout<<"Run another? (Y/N): ";

char resp;

cin>>resp;

if(resp=='Y')

{

 goto start;

}

return 0;

}

Explanation:

Line 4 of the program declares age as integer

Line 5 declares and initializes a counter variable, i to 1

Line 6 is used as a label to start another sample run

Line 7 prints the Sample run in the following format;

        Sample run 1, during the first iteration

        Sample run 2, during the second iteration; and so on...

Line 8 prompts the user to supply details for age

Line 9 stores user input in variable age

Line 10 checks if age is less than or equal to 21

If true, the program outputs Youth is a wonderful thing. Enjoy., then it continues execution on line 23

Otherwise, it jumps directly to line 23 and outputs Age is a state of mind

The counter is increased by 1 on line 24

The program asks if the user wants to take another sample run on line 25

The response is saved in a char variable on line 27

If the user response is Y, the program goes to the label on line 6 to begin another iteration

Otherwise, the program is terminated.

See attachment for source file

Write VHDL code for a RAM that has 16 locations each 32 bits wide. There will be a chipselect (CS) input that activates the chip. Another input to the circuit is an R/W which determines if the operation is a read or a write to the chip. The address input to the chip is a vector. The input and output would also be a vector(s) that should send and receive the data, depending on the address input to the chip.

Answers

Answer:

Hello your question lacks some parts attached is the complete question and the solution is written in the explanation

Explanation:

VHDL CODE::::::

VHDL Code for RAM Design:

library IEEE;

use IEEE.STD_LOGIC_1164.ALL;

use IEEE.STD_LOGIC_ARITH.ALL;

use IEEE.STD_LOGIC_UNSIGNED.ALL;

entity RAM_32Bits is

port (

Clk: in std_logic;

CS: in std_logic;

RW: in std_logic;

Address: in std_logic_vector(3 downto 0);

Data_In: in std_logic_vector(31downto 0);

Data_Out: out std_logic_vector(31downto 0);

)

end entity RAM_32Bits;

architecture RAM_32 of RAM_32Bits is

// Declare Memory Array

type RAM is array (3 downto 0) of std_logic_vector(31 downto 0);

signal mem_array: ram;

// Signal Declaration

signal read_addr: std_logic_vector (3 downto 0);

begin

process (Clk)

begin

if (Clk’event and Clk=’1’) then

if (CS=’1’ and RW=’1’) then

ram(conv_integer(Address)) <= Data_In;

endif;

if (CS=’1’ and RW=’0’) then

read_addr <= Address;

endif;

else

read_addr <= read_addr;

endif;

endprocess

Data_Out <= ram[conv_integer(read_addr)];

end architecture RAM_32;

What is an optimal Hup?man code for the following set of frequencies, based on the first 8 Fibonacci numbers? a:1 b:1 c:2 d:3 e:5 f:8 g:13 h:21 Can you generalize your answer to find the optimal code when the frequencies are the first n Fibonacci numbers?

Answers

Answer:

Optimal Huffman code is an encoding algorithm which encodes different symbols using priority queuing

Explanation:

To explain how the Optimal Huffman code works we draw the Huffman tree for the set of symbols and the leaves of the tree are symbols

Note; the right and left moves on the tree starting from the root of the tree to the leaves contain 1 and 1

Also each letter in the tree has a code word from the the root to each letter and the code is called ; Huffman codes.

h : 0

g : 10

f  : 110

e : 1110

d : 11110

c : 111110

b : 1111110

a : 11111110

attached is the Huffman tree

JAVA

Write a program that prompts the user to enter a year and the first three letters of a month name (with the first letter in uppercase) and displays the number of days in the month.

If the input for month is incorrect, display a message as shown in the following sample run.


SAMPLE RUN 1:

Enter a year: 2001
Enter a month: Jan
Jan 2001 has 31 days

SAMPLE RUN 2:

Enter a year: 2016
Enter a month: Feb
Feb 2016 has 29 days

SAMPLE RUN 3:

Enter a year: 2016

Enter a month: jan

jan is not a correct month name


Class Name: Exercise04_17

Answers

Answer:

Following are the code to this question:

import java.util.*;//import package for user input

public class Exercise04_17 //defining class Exercise04_17

{

public static void main(String[] as)//defining the main method  

{

int y,d=0; //defining integer variable

String m;//defining String variable

Scanner oxc=new Scanner(System.in);//creating scanner class object oxc

System.out.print("Enter a year: ");//print message

y=oxc.nextInt();//input year value which store in y variable

System.out.print("Enter a month: ");//print message

m=oxc.next();//input month value which store in m variable

if(m.equals("Jan")||m.equals("Mar")||m.equals("May")||m.equals("Jul")||m.equals("Aug")||m.equals("Oct")||m.equals("Dec"))//defining if block to check Month value

{

d=31;//assign value in d variable

}

if(m.equals("Apr")||m.equals("Jun")||m.equals("Sep")||m.equals("Nov"))//definingif block to check month value

{

d=30;//assign value in d variable

}

if(m.equals("Feb"))//defining if block to check month value is Feb

{

if(y%4==0||y%400==0)//defining if blook to check leap year

{

d=29;//assign value in d variable

}

else//else block

{  

d=28;//assign value in d variable

}

}

if(d!=0)//defining if block that check d variable value not equal to 0

{

System.out.println(m+" "+y+" has "+d+" days");//print inserted value with message

}

else//else block

{

System.out.println(m+" is not a correct month name");//print message

}

}

}

Output:

please find the attachment.

Explanation:

Description of the code:

In the above code, two integer variable  "d and y" and one string variable "m" are declared, in which the "y and m" variable is used to input the value from the user end. In the y variable, we simply input the value and print its value, but in the m variable, we input the value and used to check its value by using multiple if blocks and in this, we also check leap year value, and then assign value in "d" variable. In the last step, we print input values with the "d" variable value.

What do webmasters call websites that are created primarily for Adsense monetization? A: MFA B: PDA C: WBA D: GPR

Answers

Answer: The answer is A: MFA

Write a complete program that reads 6 numbers and assigns True to variable isAscending if the numbers are in ascending order. Otherwise assign False to it. Display the value of isAscending. Here are three sample runs: Sample Run 1 Enter six numbers: 4 6 8 10 11 12 True Sample Run 2 Enter six numbers: 4 6 3 10 11 12 False Sample Run 3 Enter six numbers: 41 6 3 10 11 12 False Note: Your program must match the sample run exactly.

Answers

Answer:

The programming language is not stated;

For this, I'll answer your question using c++ programming language

The program does not make use of comments (See explanation for further details)

From the sample run, the input numbers are integer; So, this program assumes that all input will be integer...

Program starts here

#include<iostream>

using namespace std;

int main()

{

cout<<"Enter six numbers: ";

int Arr[6];

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

{

 cin>>Arr[i];

}

bool flag = true;

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

{

for(int j = i;j<6;j++)

{

 if(Arr[i]>Arr[j])

 {

  flag = false;

 }

}

}

string isAscending;

if(flag)

{

isAscending = "True";

}

else

{

isAscending = "False";

}

 

cout<<isAscending;

return 0;

}

Explanation:

cout<<"Enter six numbers: ";  -> This line prompts the user for input

int Arr[6]; -> The input is stored in an array; This line declares the array

The following for loop iteration is used to iterate through the array

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

{

 cin>>Arr[i];  -> This line accepts user input

}

bool flag = true;  -> A boolean variable is initialized to true

The following nested loop checks if numbers are in ascending order

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

{

for(int j = i;j<6;j++)

{

 if(Arr[i]>Arr[j])  -> This particular if statement checks if a number is greater than the next number

 {

  flag = false;  -> If yes, the boolean variable is changed to false

 }

}

}  - > The nested loop ends here

string isAscending  = "True";  -> Here, isAscending is declared as string

if(flag)  If boolean variable flag is true; i

{

isAscending = "True";  "True" is assigned to isAscending

}

else  -> Otherwise; if boolean variable flag is no longer true; i.e if it's false

{

isAscending = "False"; -> "False" is assigned to isAscending

}

cout<<isAscending;  -> The corresponding value of isAscending is printed

The complete program that reads 6 numbers and assigns True to variable isAscending if the numbers are in ascending order is as follows;

number = 0

list1 = []

while number < 6:

    x = input("enter six number: ")

    number += 1

    list1.append(x)

if sorted(list1)==list1:

    print("True")

else:

    print("False")

Code explanation:

The code is written in python

The variable "number" is initialise to zero.We declared an empty list to unpack our numbers.while number is less than 6, we ask the user for inputs and increased the value of number for the loop to continue. we append the users input to the list1.If the sorted value of the list1 is equals to the list1, then we print True Else we print False

learn more on python here: https://brainly.com/question/26104476

if you want to exclude a portion of an image which option should be chosen?? A. Arrange B. Position C. Crop D. Delete

Answers

It would be C- crop. This allows you to specifically delete parts of the image using drag and drop features. Hope this helps!

Write a python program that asks the user to enter a student's name and 8 numeric tests scores (out of 100 for each test). The name will be a local variable. The program should display a letter grade for each score, and the average test score, along with the student's name. There are 12 students in the class.
Write the following functions in the program:
calc_average - this function should accept 8 test scores as arguments and return the average of the scores per student
determine_grade - this function should accept a test score average as an argument and return a letter grade for the score based on the following grading scale:
90-100 A
80-89 B
70-79 C
60-69 D
Below 60 F

Answers

Answer:

The program doesn't make use of comments (See Explanation)

Also the source code is attached as image to enable you see the proper format and indexing of the source code

The program using python is as follows

def calc_average(name):

   score = []

   sum = 0

   for j in range(8):

       inp = int(input("Test Score"+str(j+1)+": "))

       score.append(inp)

       sum = sum + inp

       if inp>=90 and inp<=100:

           print("A")

       elif inp>=80 and inp<90:

           print("B")

       elif inp>=70 and inp<80:

           print("C")

       elif inp>=60 and inp<70:

           print("D")

       else:

           print("F")

   avg = sum/8

   print("Result Details of "+name)

   print("Average Score: "+str(avg))

   return avg

def determine_grade(result):

   if float(result) >= 90.0 and float(result) <= 100.0:

       print("Letter Grade: A")

   elif float(result) >= 80.0 and float(result) <90.0:

       print("Letter Grade: B")

   elif float(result) >= 70.0 and float(result) < 80.0:

       print("Letter Grade: C")

   elif float(result) >= 60.0 and float(result) < 70.0:

       print("Letter Grade: D")

   else:

       print("Letter Grade: F")

   print(" ")

for i in range(2):

   name = input("Student Name: ")

   result = calc_average(name)

   determine_grade(result)

Explanation:

def calc_average(name):  -> Declares the function calc_average(name); It accepts local variable name from the main function

   score = []

-> Initialize an empty list to hold test scores

   sum = 0

-> Initialize sum of scores to 0

   for j in range(8):

-> Iterate from test score 1 to 8

       inp = int(input("Test Score"+str(j+1)+": "))

-> This line accepts test score from the user

       score.append(inp)

-> The user input is then saved in a lisy

       sum = sum + inp

-> Add test scores

The following lines determine the letter grade of each test score      

if inp>=90 and inp<=100:

           print("A")

---

      else:

           print("F")

   avg = sum/8  -> Calculate average of the test score

The next two lines prints the name and average test score of the student

   print("Result Details of "+name)

   print("Average Score: "+str(avg))

   return avg

-> This line returns average to the main method

The following is the determine_grade method; it takes it parameter from the main method and it determines the letter grade depending on the calculated average

def determine_grade(result):

   if float(result) >= 90.0 and float(result) <= 100.0:

       print("Letter Grade: A")

   elif float(result) >= 80.0 and float(result) <90.0:

       print("Letter Grade: B")

   elif float(result) >= 70.0 and float(result) < 80.0:

       print("Letter Grade: C")

   elif float(result) >= 60.0 and float(result) < 70.0:

       print("Letter Grade: D")

   else:

       print("Letter Grade: F")

   print(" ")

for i in range(2):

-> This is the main method

   name = input("Student Name: ")  -> A local variable stores name of the student

   result = calc_average(name)  -> store average of scores in variable results

   determine_grade(result)-> Call the determine_grade function

In this exercise we have to use the computer language knowledge in python to write the code as:

the code is in the attached image.

In a more easy way we have that the code will be:

def calc_average(name):

  score = []

  sum = 0

  for j in range(8):

      inp = int(input("Test Score"+str(j+1)+": "))

      score.append(inp)

      sum = sum + inp

      if inp>=90 and inp<=100:

          print("A")

      elif inp>=80 and inp<90:

          print("B")

      elif inp>=70 and inp<80:

          print("C")

      elif inp>=60 and inp<70:

          print("D")

      else:

          print("F")

  avg = sum/8

  print("Result Details of "+name)

  print("Average Score: "+str(avg))

  return avg

def determine_grade(result):

  if float(result) >= 90.0 and float(result) <= 100.0:

      print("Letter Grade: A")

  elif float(result) >= 80.0 and float(result) <90.0:

      print("Letter Grade: B")

  elif float(result) >= 70.0 and float(result) < 80.0:

      print("Letter Grade: C")

  elif float(result) >= 60.0 and float(result) < 70.0:

      print("Letter Grade: D")

  else:

      print("Letter Grade: F")

  print(" ")

for i in range(2):

  name = input("Student Name: ")

  result = calc_average(name)

  determine_grade(result)

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

Write a program whose input is a character and a string, and whose output indicates the number of times the character appears in the string. You may assume that the string does not contain spaces and will always contain less than 50 characters.Ex: If the input is:n Mondaythe output is:1Ex: If the input is:z TodayisMondaythe output is:0Ex: If the input is:n It'ssunnytodaythe output is:2Case matters.Ex: If the input is:n Nobodythe output is:0n is different than N.C++ Code:#include #include int main(void) {/* Type your code here. */return 0;}

Answers

Answer:

Here is the C++ program:

#include <iostream> // to include input output functions

using namespace std; // to identify objects like cin cout

int counter(string userString, char character) { //function counter

   int count = 0;   // counts the no of times a character appears in the string

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

// loop to move through the string to find the occurrence of the character

       if (userString[i] == character) //if characters is found in the string

           count++;   //counts the occurrence of the character in the string

   return count; }   //returns the no of times character occurs in the string

int main() { //start of the main() function body

   string s; // stores the string entered by the user

   cout<<"Enter a string: "; //prompts user to enter the string

   cin>>s; //reads the string from user

   char ch; //stores the character entered by the user

   cout<<"Enter a character: "; //prompts user to enter a character

   cin>>ch; //reads the character from user

   cout << counter(s, ch) << endl; }  

//calls counter function to find the number of times a character occurs in the //string

Explanation:

The counter function works as following:

It has a count variable which stores the number of occurrences of a character in the userString.

It uses a for loop which loops through the entire string.

It has i position variable which starts with the first character of the string and checks if the first character of userString matches with the required character.

If it matches the character then count variable counts the first occurrence of the character and in the userString and is incremented to 1.

If the character does not match with the first character of the userString then the loops keeps traversing through the userString until the end of the userString is reached which is specified by the length() function which returns the length of the string.

After the loop ends the return count statement is used to return the number of occurrences of the character in the userString.

The main() function prompts the user to enter a string and a character. It then calls counter() function passing string s and character ch arguments to it in order to get the number of times ch appears in s.

The output is attached in a screenshot.

Assign True to the variable is_ascending if the list numbers is in ascending order (that is, if each element of the list is greater than or equal to the previous element in the list). Otherwise, assign False with is_ascending.

Answers

Answer:

The question seem incomplete as the list is not given and the programming language is not stated;

To answer this question, I'll answer this question using Python programming language and the program will allow user input.

Input will stop until user enters 0

The program is as follows

newlist = []

print("Input into the list; Press 0 to stop")

userinput = int(input("User Input:"))

while not userinput == 0:

     newlist.append(userinput)

     userinput = int(input("User Input:"))

is_ascending = "True"

i = 1

while i < len(newlist):  

     if(newlist[i] < newlist[i - 1]):  

           is_ascending = "False"

     i += 1

print(newlist)

print(is_ascending)

Explanation:

This line declares an empty list

newlist = []

This line prompts gives instruction to user on how to stop input

print("Input into the list; Press 0 to stop")

This line prompts user for input

userinput = int(input("User Input:"))

This next three lines takes input from the user until the user enters 0

while not userinput == 0:

     newlist.append(userinput)

     userinput = int(input("User Input:"))

The next line initialized "True" to variable is_ascending

is_ascending = "True"

The next 5 line iterates from the index element of the list till the last to check if the list is sorted

i = 1

while i < len(newlist):  

     if(newlist[i] < newlist[i - 1]):  

           is_ascending = "False"

     i += 1

The next line prints the list

print(newlist)

The next line prints the value of is_ascending

print(is_ascending)

Sarah's Texas location has a server that is starting to give her trouble. It is needing to be restarted frequently and seems to be very slow. The server is on the replacement schedule and has just overheated, stopped and will not restart. What plan should direct the recovery for this single server

Answers

Answer:

Hello your question lacks the required options

A) Business impact analysis plan

B) Business continuity plan

C) Disaster recovery plan

D) Recovery point plan

answer : Disaster recovery plan ( c )

Explanation:

The Disaster recovery  plan is a comprehensive creation of a system/set procedures of recovery of the IT infrastructure from potential threats of a company. especially when the interruption is caused by a disaster, accident or an emergency.

The shutting down of the sever due to overheating and not able to restart for Business is an interruption in a critical business process and the plan to direct the recovery for this single server should be the " Disaster recovery plan"

All of the following are true about hacksaws except: a. A hacksaw only cuts on the forward stroke. b. A coarse hacksaw blade (one with fewer teeth) is better for cutting thick steel than a fine blade. c. A fine hacksaw blade (one with many teeth) is better for cutting sheet metal. d. A hacksaw blade is hardened in the center, so it is best to saw only with the center portion of the blade.

Answers

B is INCORRECT good sir. The Hope this helps, brainiest please.

All of the following are true about hacksaws, except a coarse hacksaw blade (one with fewer teeth) is better for cutting thick steel than a fine blade. The correct option is b.

What is a hacksaw?

A hacksaw is a saw with fine teeth that were originally and primarily used to cut metal. Typically, a bow saw is used to cut wood and is the corresponding saw.

Hacksaw is used by hand, it is a small tool for cutting pipes rods wood etc that is very common and homes and in shops. The different types of hacksaws. The main three types of hacksaws are course-grade hacksaws, medium-grade hacksaws, and fine-grade hacks. The difference is just for the quality, and the design of the blade.

Therefore, the correct option is b. Cutting thick steel is easier with a coarse hacksaw blade (one with fewer teeth) than a fine one.

To learn more about hacksaw, refer to the below link:

https://brainly.com/question/15611752

#SPJ2

Write a program that displays, 10 numbers per line, all the numbers from 100 to 200 that are divisible by 5 or 6, but not both. The numbers are separated by exactly one space
My Code:
count = 0
for i in range (100, 201):
if (i %6==0 and i %5!=0) or (i%5==0 and i%6!=0):
print(str(i), "")
count = count + 1
if count == 10:
string = str(i) + str("")
print(string)
count = 0
Any way to put the numbers 10 per line?

Answers

Answer & Explanation:

To print 10 on a line and each number separated by space; you make the following modifications.

print(str(i)+" ",end=' ')

str(i)-> represents the actual number to be printed

" "-> puts a space after the number is printed

end = ' ' -> allows printing to continue on the same line

if(count == 10):

     print(' ')

The above line checks if count variable is 10;

If yes, a blank is printed which allows printing to start on a new line;

The modified code is as follows (Also, see attachment for proper indentation)

count = 0

for i in range(100,201):

     if(i%6 == 0 and i%5!=0) or (i%5 ==0 and i%6!=0):

           print(str(i)+" ",end=' ')

           count = count + 1

           if(count == 10):

                 print(' ')

                 count = 0

Write a statement that increments numUsers if updateDirection is 1, otherwise decrements numUsers. Ex: if numUsers is 8 and updateDirection is 1, numUsers becomes 9; if updateDirection is 0, numUsers becomes 7.Hint: Start with "numUsers

Answers

Answer:

Following are the statement is given below

if(updateDirection ==1) // check condition

{

++numUsers; // increments the value

}

else

{

--numUsers; // decrement the value

}

Explanation:

Following are the description of statement

Check the condition in the if block .If the "updateDirection" variable is 1 then then control moves to the if block otherwise control moves to the else block statement.In the if  block the statement is "++numUsers" it means it increment the value by 1 .In the else block the statement is "--numUsers" it means it decrement  the value by 1 .

Implement a Java program using simple console input & output and logical control structures such that the program prompts the user to enter 5 integer scores between 0 to 100 as inputs and does the following tasks For each input score, the program determines whether the corresponding score maps to a pass or a fail. If the input score is greater than or equal to 60, then it should print "Pass", otherwise, it should print "Fail". After the 5 integer scores have been entered, the program counts the total number of passes as well as the total number of failures and prints those 2 count values with appropriate messages like "Total number of passes is: " & "Total number of failures is: ". After the 5 integer scores have been entered, the program finds the highest score as well as the lowest score and prints those 2 values with appropriate messages like "Highest score is: " & "Lowest score is: ". The program checks whether an input score is a number between 0 - 100 or not. If the input score value is otherwise or outside the above range, then it prints the error message saying "Invalid score" and prompts the user for valid input.

Answers

Answer:

import java.util.Scanner; public class Main {    public static void main(String[] args) {        int pass = 0;        int fail = 0;        int highest = 0;        int lowest = 100;        int counter = 0;        Scanner input = new Scanner(System.in);        while(counter < 5){            System.out.print("Input a score between 0 to 100: ");            int score = input.nextInt();            while(score < 0 || score > 100){                System.out.println("Invalid score.");                System.out.print("Input a score between 0 to 100: ");                score = input.nextInt();            }            if(score >= 60 ){                System.out.println("Pass");                pass++;            }else{                System.out.println("Fail");                fail++;            }            if(highest < score ){                highest = score;            }            if(lowest > score){                lowest = score;            }            counter++;        }        System.out.println("Total number of passes is: " + pass);        System.out.println("Total number of failures is: " + fail);        System.out.println("Highest score is: " + highest);        System.out.println("Lowest score is: " + lowest);    } }

Explanation:

Firstly, declare the necessary variables and initialize them with zero (Line 4-8). Next create a Scanner object to get user input for score (Line 10). Create a while loop by using the counter as limit (Line 12). In the while loop, prompt user to input a number between 1 - 100 (Line 13-14). Create another while loop to check the input must be between 1 - 100 or it will print invalid message and ask for user input again (Line 15-19).

Next, create an if-else statement to check if the current score is equal or above 60. If so print pass if not print fail (Line 21-27). At the same time increment the fail and pass counter.

Create another two if statement to get the current highest and lowest score and assign them to highest and lowest variables, respectively (Line 29-35).

Increment the counter by one before proceeding to the next loop to repeat the same process (Line 37).

At last, print the required output after finishing the while loop (Line 40-43).

Which relation is created with the primary key associated with the relationship or associative entity, plus any non-key attributes of the relationship or associative entity and the primary keys of the related entities (as foreign key attributes)?

Answers

Answer:

- Transform binary or unary M:N relationship or associative entity with its own key.

Explanation:

Transform binary relation is described as the method through which a decimal can easily be converted into binary while the unary relationship is described as a relationship in which both the two participants occurs from the same entity.

In the given case, 'transform binary or unary M:N relationship' can be created using 'the primary key linked with the relationship plus any non-key aspects of the relationship and the primary keys of the related entities' as it displays the existence of a relationship between the occurrences of a similar set of the entity i.e. associative entity here.

10. Which of these is not an HTTP verb? PUT AJAX GET DELETE

Answers

Answer:

Brainliest!

Explanation:

The primary or most-commonly-used HTTP verbs (or methods, as they are properly called) are POST, GET, PUT, PATCH, and DELETE. These correspond to create, read, update, and delete (or CRUD) operations, respectively. There are a number of other verbs, too, but are utilized less frequently.

-

restapitutorial

.

com

AJAX

The word that is not an HTTP verb is AJAX.

But PUT, GET, and DELETE are HTTP verbs.

A HTTP verb is a word or method (it can also be a noun) for retrieving information (documents) in a web-based environment.  There are other HTTP verbs used for various purposes.  The most common include PUT, GET, DELETE, and POST.

HTTP is a computer-based abbreviation that means Hypertext Transfer Protocol.  It is the protocol for transferring data over the web using a client's home computer, laptop, or mobile device.

AJAX, which means Asynchronous Javascript and XML, is mainly used as a technique for creating fast and dynamic web pages using small amounts of data.

There is no suitable reference of HTTP verbs at brainly.com.

You learn that in a previous security breach at GearUp, a disgruntled employee destroyed the encryption key that had been used to protect data. How will you prevent a similar data safeguard problem at GearOn

Answers

Answer:

The data can be safeguarded using key escrow procedure.

Explanation:

Key escrow basically means to store the cryptographic key in an "escrow" by a reputable trusted third party. The copy of the encryption key is kept with the third party. In case the cryptographic key gets lost or destroyed, then the key escrow service helps to access the encrypted data. It also manages the access control to the key in case the key gets lost. So this way in case of security breach at GearOn the key escrow service can be used to re-implement or access the key easily.

Denial of service (DoS) attacks can cripple an organization that relies heavily on its web application servers, such as online retailers. What are some of the most widely publicized DoS attacks that have occurred recently? Who was the target? How many DoS attacks occur on a regular basis? What are some ways in which DoS attacks can be prevented? Write a one-page paper on your research.

Answers

Answer:

The overview of the given question is described in the explanation segment below.

Explanation:

The number of casualties has occurred in recent years. The following are indeed the assaults:

Arbitrary Remote Code execution attacks:

It's also a very hazardous assault. Unsanitary working on implementing that used operating system including user actions could enable an attacker to execute arbitrary functions mostly on system files.

Sites become targeted with such a DOS assault that will cause them inaccessible whether they close the account to an offender who threatens them.

Prevention: We could protect this by preventing the call from additional assessment by the user. We will disinfect input validation if we transfer values to devise calls. The input data is permitted to transfer on requests, it should have been strictly regulated although restricted to a predetermined system of principles.

Injection attack:

The object of the Injection Attack seems to be to delete vital information from the server. Throughout the list, we have such a user, a code, as well as a lot of several other essential stuff. Assailants are taking vital data and doing the wrong stuff. This can have an impact on the web site or software application interface the SQL.

Prevention: Parameterized functions require developers must specify all of the SQL code, and afterward move the question in-parameter, allowing the server to distinguish between some of the code as well as the information. By decreasing the privilege allocated to each database. White list data validation has been used to prevent abnormal information.

Zero-day attack:

It corresponds to something like a vulnerability flaw undisclosed to the user. The security vulnerability becomes infected with malware. The attackers have access to inappropriate details.

Prevention: The organizations are releasing the patch fixes the found holes. The updated plugin is also a preventive tool.

Buffer overflow attack:

This is indeed a major security threat to the accuracy of the data. This overflow happens since more information becomes set to either a specified size than even the buffer could accommodate. Adjoining program memory is compromised. During that time, the attacker was indeed running obfuscated code. Two key forms of such attack are provided below:

Heap-basedStack-based

Prevention: Standard library features, including such strcpy, should indeed be avoided. Standard testing should be performed to identify as well as resolve overflow.

The Security Configuration Wizard saves any changes that are made as a __________ security policy which can be used as a baseline and applied to other servers in the network. a. user- or server-specific b. port- or program-specific c. role- or function-specific d. file or folder-specific

Answers

Answer:

c. role- or function-specific.

Explanation:

The Security Configuration Wizard was  firstly used by Microsoft in its development of the Windows Server 2003 Service Pack 1. It provides guidance to network security administrators, secure domain controllers, firewall rules and reduce the attack surface on production servers.

Security Configuration Wizard saves any changes that are made as a role- or function-specific security policy which can be used as a baseline and applied to other servers in the network.

After checking the Group policy by an administrator, any changes made as a role- or function-specific security policy by the Security Configuration Wizard (SCW) is used as a baseline and can be applied either immediately or sometimes in the future to other servers in the network after testing it in a well secured environment.

Basically, the Microsoft Security Configuration Wizard (SCW) typically help administrators in running the following;

1. Role-Based Service Configuration.

2. Registry settings.

3. Network and Firewall Security settings.

4. Auditing Policy settings.

Create a class ProblemSolution with following characteristics Two private member variables name & designation of string type. Parameterized constructor which takes 2 parameters to initialized name & designation. Method solution with no input parameter and void return type. A method should print the member variable values in new lines.

Answers

Answer:

Please see the attachment for the solution

Explanation:

The performance of a client-server system is strongly influenced by two major network characteristics: the bandwidth of the network (how many bits/sec it can transport) and the latency (how many seconds it takes for the first bit to get from the client to the server). Give an example of a network that exhibits high bandwidth but also high latency. Also give an example of one that has both low bandwidth and low latency. Justify/explain your answers. (

Answers

Answer:

A bandwidth is the maximum rate of transfer of data across a given path

Latency refers to the delay of data to travel or move between a source and destination

An example of a high bandwidth and high latency network is the Satellite Internet connectivity.

An example of a low bandwidth and latency network is the telephone system connection.

Explanation:

Solution

Bandwidth: Bandwidth determines how fast data can be transferred for example, how many bits/sec it can transport.

Latency: It refers to the delay or how long it takes for data to travel between it's source and destination.

An example of a high bandwidth and high latency network is the Satellite internet connection.

Satellite internet connection: This is responsible for the connectivity of several systems, it has a high bandwidth, since satellite are in space, due to distance it has a high latency.

So, satellite internet connection is compensated with high latency and high bandwidth.

An example of a low bandwidth and low latency network is the Telephony network.

Telephone/telephony internet connection: This connection does not have much data for transfer. it has low size audio files of which a low bandwidth range. also for both end or end users to understand and talk to each other, it has low latency.

An example of a network that exhibits high bandwidth but also high latency is Satellite internet connection.

An example of one that has both low bandwidth and low latency is telephony internet connection.

Based on the provided information, we can say that Satellite internet connection posses high bandwidth but also high latency because, the fastness of data transfer is based on the bandwidth and how the data to travel between it's source and destination is based on its latency.

We can conclude that telephony internet connection has low bandwidth and low latency because of low data transfer is required.

Learn more about bandwidth at;

https://brainly.com/question/11408596

During a traceroute, which action does a router perform to the value in the Time To Live (TTL) field?

Answers

Answer:

During a traceroute, the router decreases the Time To Live values of the packet sent from the traceroute by one during routing, discards the packets whose Time To Live values have reached zero, returning the ICMP error message ICMP time exceeded.

Explanation:

Traceroute performs a route tracing function in a network. It is a network diagnostic commands that shows the path followed, and measures the transit delays of packets across an Internet Protocol (IP) network, from the source to the destination, and also reports the IP address of all the routers it pinged along its path. During this process, the traceroute sends packets with Time To Live values that increases steadily from packet to packet; the process is started with Time To Live value of one. At the routers, the Time To Live values of the packets is gradually decreased by one during routing, and the packets whose Time To Live values have reached zero are discarded, returning the ICMP error message ICMP Time Exceeded

Determine the number of cache sets (S), tag bits (t), set index bits (s), and block offset bits (b) for a 1024-byte 4-way set associative cache using 32-bit memory addresses and 8-byte cache blocks.

Answers

Answer:

The answer is The Cache Sets (S) = 32, Tag bits (t)=24, Set index bits(s) = 5 and Block offset bits (b) = 3

Explanation:

Solution

Given Data:

Physical address = 32 bit (memory address)

Cache size = 1024 bytes

Block size = 8 bytes

Now

It is a 4 way set associative mapping, so the set size becomes 4 blocks.

Thus

Number of blocks = cache size/block size

=1024/8

=128

The number of blocks = 128

=2^7

The number of sets = No of blocks/set size

=128/4

= 32

Hence the number of sets = 32

←Block ←number→

Tag → Set number→Block offset

←32 bit→

Now, =

The block offset = Log₂ (block size)

=Log₂⁸ = Log₂^2^3 =3

Then

Set number pc nothing but set index number

Set number = Log₂ (sets) = log₂³² =5

The remaining bits are tag bits.

Thus

Tag bits = Memory -Address Bits- (Block offset bits + set number bits)

= 32 - (3+5)

=32-8

=24

So,

Tag bits = 24

Therefore

The Cache Sets = 32

Tag bits =24

Set index bits = 5

Block offset bits = 3

Note: ←32 bits→

Tag 24 → Set index  5→Block offset 3

In this lab, you declare and initialize constants in a C++ program. The program, which is saved in a file named NewAge2.cpp, calculates your age in the year 2050.

Answers

Answer:

#include <iostream>

using namespace std;

int main()

{

   const int YEAR = 2050;

   int currentYear = 2020;

   int currentAge = 38;

   

   cout<<"You will be " << currentAge + (YEAR - currentYear) << " years old in " << YEAR;

   return 0;

}

Explanation:

Initialize the YEAR as a constant and set it to 2050

Initialize the currentYear as 2020, and currentAge as 38

Calculate and print the age in 2050 (Subtract the currentYear from the YEAR and add it to the currentAge)

Describe any five GSM PLMN basic services?

Answers

Answer:

Your answer can be found in the explanation below.

Explanation:

GSM is the abbreviation for Global System for Mobile communication. Its purpose is to transmit voice and data services over a range. It is a digital cellular technology.

PLMN is the abbreviation for Public Land Mobile network. It is defined as the wireless communication service or combination of services rendered by a telecommunication operator.

The plmn consists of technologies that range from Egde to 3G to 4G/LTE.

PLMN consists of different services to its mobile subscribers or users but for the purpose of this question, i will be pointing out just 5 of them alongside its definitions.

1. Emergency calls services to fire or police: Plmn provides us with the option to make emergency calls in the event of any accident or fire incident, etc.It is available on devices either when locked or unlocked.

2. Voice calls to/from other PLMN: This entails the putting of calls across to persons we cannot reach very quickly. PLMN helps to connect persons through its network of from other networks thus making communication easier.

3. Internet connectivity: PLMN provieds us with internet services through wifi or bundles that enable us have access to the internet as well as help us communicate with people and loved ones over a distance. Internet service are possble either on GPRS or 3G or 4G networks.

4. SMS service: SMS means short messaging service. This is also know as text messages. PLMN allows us to be able to send short messages to people as oppposed to mails. It is mostly instant and can be sent or recieved from the same PLMN or others.

5. MMS service: Multimedia messaging service whose short form is MMS ccan be descibed as the exchange of heavier messages such as a picture or music or document but not from an email. It is availabel for use from one PLMN to another.

Cheers.

Given positive integer numInsects, write a while loop that prints that number doubled without reaching 100. Follow each number with a space. After the loop, print a newline. Ex: If numInsects = 8, print:

8 16 32 64

#include

using namespace std;

int main() {

int numInsects = 0;

numInsects = 8; // Must be >= 1

while (numInsects < 100) {

numInsects = numInsects * 2;



cout << numInsects << " ";

}

cout << endl;

return 0;

}

So my question is what am I doing wrong?

Answers

Answer:

The cout<<numInsects<<""; statement should be placed before numInsects = numInsects * 2;  in the while loop.

Explanation:

Your program gives the following output:

16  32  64  128

However it should give the following output:

8  16  32  64

Lets see while loop to check what you did wrong in your program:

The while loop checks if numInsects is less than 100. It is true as numInsects =8 which is less than 100.

So the body of while loop executes. numInsects = numInsects * 2;  statement in the body multiplies the value of numInsects i.e 8 with 2 and then cout << numInsects << " ";  prints the value of numInsects  AFTER the multiplication with 2 is performed. So 8 is not printed in output but instead 16 (the result of 8*2=16) is printed as the result of first iteration.

So lets change the while loop as follows:

while (numInsects < 100) {

cout << numInsects << " ";

numInsects = numInsects * 2;

Now lets see how it works.

The while loop checks if numInsects is less than 100. It is true as numInsects =8 which is less than 100

So the body of while loop executes. cout << numInsects << " "; first prints the value of numInsects i.e. 8. Next numInsects = numInsects * 2;  multiplies the value of numInsects i.e 8 with 2. So first 8 is printed on the output screen. Then the multiplication i.e. 8*2=16 is performed as the result of first iteration. So now value of numInsects becomes 16.

Next the while loop condition numInsects < 100 is again checked. It is true again as 16<100. Now cout << numInsects << " "; is executed which prints 16. After this, the multiplication is again performed and new value of numInsects becomes 32 at second iteration. This is how while loops continues to execute.

So this while loop stops when the value of numInsects exceeds 100.

This program has some errors in it that are needed to be checked import java.io.*;
public class Westside
{
public static void main(String args[])throws IOException
{
double cost=0;
double s=100.0;
int n=100;
int z=0;
double disc=0;
String name[]=new String[n];
double price[]=new double[n];
{
double Billamt=0;
String st;
InputStreamReader read= new InputStreamReader(System.in); BufferedReader in= new BufferedReader(read);
while (true)
{
System.out.println("***********************************************"); System.out.println("*************WELCOME TO WESTSIDE*************** !!!"); System.out.println("***********************************************"); System.out.println(" The Clothing where all your needs for clothes and a little bit of accessories are fulfilled");
System.out.println(" If you are in the mood for shopping... YOU ARE IN THE RIGHT PLACE!"); Westside obj=new Westside(); do { System.out.println(" We allow customers to shop conveniently and provide them a wide variety of choices to choose from"); System.out.println("The choices are \n 1. Women's Wear"); System.out.println("2.Men's Wear \n 3. Surprise Section! \n 4.Kids Wear \n 5. Accessories"); System.out.println("and 6. Shoes"); System.out.println("Enter your choice"); int c=Integer.parseInt(std.readLine()); switch (c) { case 1: obj. Women(); break; case 2: obj. Men(); break; case 3: obj. Surprise(); break; case 4: obj. Kids(); break; case 5: obj. Accessories(); break; case 6: obj. Shoes(); break; default: System.out.println("Please check your Input"); } System.out.println("Please type 'stop' if you want to stop"); System.out.println("Type anything else if you want to continue shopping."); st=std.in.readLine(); while(!(st.equalsIgnoreCase("stop"))); System.out.println("Your Bill:"); System.out.println("Sl.no \t Item Name \t \t \t \t Cost of the Item"); for(int i=0;i

Answers

Answer:

for loop statement is not complete

House real estate summary Sites like Zillow get input about house prices from a database and provide nice summaries for readers. Write a program with two inputs, current price and last month's price (both integers). Then, output a summary listing the price, the change since last month, and the estimated monthly mortgage computed as (current_price * 0.051) / 12. Output each floating-point value with two digits after the decimal point, which can be achieved as follows: print('{:.2f}'.format(your_value)) Ex: If the input is: 200000 210000 the output is: This house is $200000. The change is $-10000 since last month. The estimated monthly mortgage is $850.00.

Answers

Answer:

current_price = int(input("Enter the current price: "))

last_months_price = int(input("Enter the last month's price: "))

print("This house is $" + str(current_price))

print("The change is $" + str(current_price - last_months_price) + " since last month")

print("The estimated monthly mortgage is ${:.2f}".format((current_price * 0.051) / 12))

Explanation:

Ask the user to enter the current price and last month's price

Print the current price

Print the change in the price, subtract the last month's price from the current price

Print the estimated monthly mortgage, use the given formula to calculate, in required format

Consider the following algorithm. for i ∈ {1,2,3,4,5,6} do ???? beep for j ∈ {1,2,3,4} do beep for k ∈ {1,2,3} do ???? for l ∈ {1,2,3,4,5} do beep for m ∈ {1,2,3,4} do ???? ???? beep How many times does a beep statement get executed?

Answers

Answer:

This is the complete question:

for i ∈ {1,2,3,4,5,6} do  beep  

for j ∈ {1,2,3,4} do  beep  

for k ∈ {1,2,3} do

    for l ∈ {1,2,3,4,5} do beep  

for m ∈ {1,2,3,4} do  beep

Explanation:

I will explain the algorithm line by line.

for i ∈ {1,2,3,4,5,6} do  beep  

This statement has a for loop and i variable that can take the values from 1 to 6. As there are 6 possible values for i so the beep statement gets executed 6 times in this for loop.

for j ∈ {1,2,3,4} do  beep  

This statement has a for loop and j variable that can take the values from 1 to 4. As there are 4 possible values for j so the beep statement gets executed 4 times in this for loop.

for k ∈ {1,2,3} do

    for l ∈ {1,2,3,4,5} do beep  

There are two statements here. The above statement has a for loop and k variable that can take the values from 1 to 3. As there are 3 possible values for k so the beep statement gets executed 3 times in this for loop. The below statement has a for loop and l variable that can take the values from 1 to 5. As there are 5 possible values for l so the beep statement gets executed 5 times in this for loop. However these statement work like an inner and outer loop where the outer loop is k and inner one is l which means 1 gets executed for each combination of values of k and l. As there are three values for k and 5 possible values for l so the combinations of values of k and l is 15 because 3 * 5 = 15. Hence the beep statement gets executed 15 times.

for m ∈ {1,2,3,4} do  beep

This statement has a for loop and m variable that can take the values from 1 to 4. As there are 4 possible values for m so the beep statement gets executed 4 times in this for loop.

Now lets take the sum of all the above computed beeps.

for i = 6 beeps

for j = 4 beeps

for k and l possible combinations = 15 beeps

for m = 4 beeps

total beeps = 6 + 4 + 15 + 4 = 29 beeps

Other Questions
Which strategy did African American students use when they refused to leave a "whites only" lunch counter in Greensboro, North Carolina, in 1960? Classify the following triangle as acute, obtuse, or right.80A. ObtuseB. AcuteC. RightD. None of these 25.00 mL of a H2SO4 solution with an unknown concentration was titrated to a phenolphthalein endpoint with 28.11 mL of a 0.1311 M NaOH solution. What is the concentration of the H2SO4 solution Purple square equals to ________? ABC and PQR are similar. ABC is dilated by a scale factor of 1.25 and rotated 45 counterclockwise about point B to form PQR. The side lengths of ABC are , 5 units; , 4.2 units; and , 4 units. Match each side of PQR to its length. Christine must buy at least $45$ fluid ounces of milk at the store. The store only sells milk in $200$ milliliter bottles. If there are $33.8$ fluid ounces in $1$ liter, then what is the smallest number of bottles that Christine could buy? (You may use a calculator on this problem.) Refer to the example about diatomic gases A and B in the text to do problems 20-28.It was determined that 1 mole of B2 is needed to react with 3 moles of A2.How many grams in one mole of B2?__g a number between 891 and 909 that is divisible by 10 Susan wants to make 2 square flags tosell at a crafts fair. The fabric she wantsto buy is 5 meters wide. She doesn'twant any fabric left over. What's theleast amount of fabric she should buy? The Green Giant has a 6 percent profit margin and a 37 percent dividend payout ratio. The total asset turnover is 1.2 times and the equity multiplier is 1.4 times. What is the sustainable rate of growth How much pure water must be mixed with 10 liters of a 25% acid solution to reduce it to a 10% acid solution? 11 L 15 L 25 L ProBuilder reports merchandise sales of $80,000 and cost of merchandise sales of $20,000 in its first year of operations ending June 30, 2016. It makes fiscal-year-end adjusting entries for estimated future returns and allowances equal to 3% of sales, or $2,400, and 3% of cost of sales, or $600.Required:a. Prepare the June 30, 2016, fiscal-year-end adjusting journal entry for future returns and allowances related to sales. b. Prepare the June 30, 2016, fiscal-year-end adjusting journal entry for future returns and allowances related to cost of sales. write about teravel in islam answer please fast Trace en su cuaderno una hoja de clculo de A1 a D15, escriba en cada celda un valor entre 100.000 y 500.000, luego escriba las frmulas para hallar halle los siguientes valores: Sumar celdas columna B Restar celdas A12 menos D3 Multiplique Celdas columna C por celdas columna D Divida las celdas A11 hasta A15 entre celdas D11 a D15 How does Earth's solid inner core affect seismic waves?O A. They go faster through the inner core than the liquid outer core.O B. It blocks S waves from passing through.O C. They go slower through the inner core than the liquid outer core.O D. It blocks P waves from passing through. Which is an example of a fission reaction? Check all that apply.H + H He 2n+239 Pu + n + 1904 Ce + Kr + 2n295 Am + in 154 La + 95 Sr + 3 in13C + H + 4N Which of the following is NOT a solution to 2x+3y=12? A. (5,-3) B. (9,-2) C. (0,4) D. (6,0) given that 1=$1..62 what is 650 pounds in dollars Which equation is represented by the graph below? y=ln x y=ln x+1 y=e^x y=e^x+1 How would you tell someone your doing well in spanish