Consider the following class definition.public class Rectangle{private double length;private double width;public Rectangle(double l, double w){length = l;width = w;}public void set(double l, double w){length = l;width = w;}public void print(){System.out.println(length + " " + width);}public double area(){return length * width;}public double perimeter(){return 2 length + 2 width;}}Which of the following statements correctly instantiate the Rectangle object myRectangle?(i) myRectangle Rectangle = new Rectangle(10, 12);(ii) class Rectangle myRectangle = new Rectangle(10, 12);(iii) Rectangle myRectangle = new Rectangle(10, 12);

Answers

Answer 1

Answer:

The answer is "option (iii)".

Explanation:

Instantiation stands for a specific instance creation of model or abstraction. It is also known as object code. In the given question the correct code for instantiating a class in java is option iii because it is the correct format.  In this option, we create a class object that is "myRectangle" and call the parameterized constructor by passing value in parameter this process is known as instantiation. In instantiation first, we write a class name that is "Rectangle" then create an object that is "myRectangle" and use a new keyword for instantiating an object. In option (i) we use the object name first and in option (ii) we use class keyword that's why both options are incorrect.  


Related Questions

g Define a write through cache design. A. A block of main memory may be loaded into any cache line. B. Each block of main memory is mapped to exactly one cache line. C. A block of main memory is mapped to a group cache lines. D. When the CPU writes a word, the data is immediately written both to cache and to main memory. E. When the CPU reads a word, the cache writes part of a block to memory.

Answers

Answer:

Option D is the correct answer.

Explanation:

"Write through cache" is a writing technique in which any data is written in memory and the cache at the same time to overcome the problem of loss of data. This is a concept of "Write through cache". It means that, if the data is written at the two positions at the same time then the loss of data problem is not occurring and the users can save the data.

Here in the question, option D states the same concept which is defined above. That's why Option D is correct. while the other option is not correct because-

Option "a" states about the block of memory which can load on the cache which is not states about the above concept.Option "b" states about the mapping concepts.Option "C" also states about the mapping concepts.Option "E" states to write that data on cache, which is read from the memory.  

Write a JavaScript program that asks a user for their name, then, uses a function to do the following:

1. reverses the name;
2. replaces all the vowels with asterisks (*);
3. takes the first two letters and then adds a random number between 100 and 300 to it. The results should be written to the browser window using "document.write". Post the code to your solution below.

Answers

Answer:

       function DoStuff(name) {

           document.write('Reversed: ', name.split("").reverse().join(""), '<br/>');

           document.write('Masked vowels: ', name.replace(/[aeiouy]/ig, '*'), '<br/>');

           document.write('First two with number: ', name.slice(0, 2) + Math.floor(Math.random() * (300 - 100 + 1) + 100), '<br/>');

       }

       const name = prompt("Please enter your name", "Brainly exercise");

       DoStuff(name);

Explanation:

Brainly won't let me paste html here, so I'm just showing you the javascript. Let me know if you don't know how to embed this in a page. I'm a bit unsure about subassignment number 3. Does 'add' mean 'append' here?

3.25 LAB: Exact change Write a program with total change amount as an integer input, and output the change using the fewest coins, one coin type per line. The coin types are dollars, quarters, dimes, nickels, and pennies. Use singular and plural coin names as appropriate, like 1 penny vs. 2 pennies. Ex: If the input is: 0 (or less than 0), the output is: no change Ex: If the input is: 45 the output is: 1 quarter 2 dimes

Answers

The code is in Java.

The code uses if-else structure to check the amount of the pennies. It also uses nested if-else structure to check the amount of the each coin type. If there are corresponding values for any coin type, it converts it to that coin and prints the result.

Comments are used to explain the each line.

//Main.java

import java.util.Scanner;

public class Main{

public static void main(String[] args) {

 //Scanner object to get input from the user

 Scanner input = new Scanner(System.in);

 //Declaring the variables

 int pennies, nickels, dimes, quarters, dollars;

       

 //Getting the pennies from the user

 pennies = input.nextInt();

 

 /*

  * Checking if pennies is smaller than or equal to 0.

  * If it is, print "no change".

  * Otherwise, convert the pennies to corresponding values for dollars, quarters, dimes, nickels and pennies.

  * For example, since there are 100 pennies in a dollar, we divide the pennies to 100 to find the dollar value in pennies.

  * Then, we use modulo to get the remaining pennies.

  */

 if(pennies <= 0)

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

 else {

  dollars = pennies / 100;

  pennies %= 100;

  quarters = pennies / 25;

  pennies %= 25;

  dimes = pennies / 10;

  pennies %= 10;

  nickels = pennies / 5;

  pennies %= 5;

 

  /*

   * After the conversion of all values, we check if the values are greater than 0.

   * This way, we find if a coin type is found in our pennies.

   * For example, if dollars value is 0, then we do not need to consider dollars because we do not have any dollars in our pennies.

   */

 

  /*

   * Then, we check if the coin type is equal to 1 or not.

   * This way, we decide whether it is plural or not.

   * And finally, we print the result.

   */

 

  if(dollars > 0){

   if(dollars == 1)

    System.out.println(dollars + " dollar");

   else

    System.out.println(dollars + " dollars");

  }

  if(quarters > 0){

   if(quarters == 1)

    System.out.println(quarters + " quarter");

   else

    System.out.println(quarters + " quarters");

  }

  if(dimes > 0){

   if(dimes == 1)

    System.out.println(dimes + " dime");

   else

    System.out.println(dimes + " dimes");

  }

  if(nickels > 0){

   if(nickels == 1)

    System.out.println(nickels + " nickel");

   else

    System.out.println(nickels + " nickels");

  }

  if(pennies > 0){

   if(pennies == 1)

    System.out.println(pennies + " penny");

   else

    System.out.println(pennies + " pennies");

  }

 }

}

}

You may see another example that uses nested if in the following link:

brainly.com/question/21891519

Complete this assignment in Python 3.x. Make sure you have downloaded the software, and it is installed correctly.

You will code the following and submit it in one file. Use the information in the Lessons area for this week to assist you. Save it as a python file (.py), and upload it into the Assignments area.

Create a comment block (starts at line 1 in the code) with the following information:

Your Name
Course Name, Section (example: ENTD200 B002 Spr15)
Instructor name
Week #
Date completed
Problem 1: Create a list (or tuple only, no dictionary) that contains the months of the year. ( do not hardcode the number)
Problem 2: Create a loop to print the number and the months of the year from the list.
The output should like this:

Month 1 is January
Month 2 is February
….
….

Month 12 is December

Optional 1

Month 1 is January, ...Happy new year ( Do not use if-then)

The output will look like this

Month 1 is January , ...Happy New Year!
Month 2 is February, ...Happy Valentine!
Month 3 is March
Month 4 is April
Month 5 is May
Month 6 is June
Month 7 is July, ...Happy Fourth of July!
Month 8 is August
Month 9 is September
Month 10 is October, ...Happy Halloween!
Month 11 is November, ...Happy Thanksgiving!
Month 12 is December, ...Merry Christmas!

Optional 2
Modify the Payroll and/or the MPG program from week5/6 to store the results in a list/dictionary. Print the list/dictionary when no more calculation is selected.
The output will be something like this for the payroll

Payroll for week xyz
James Bond ....... 21,500
Al Bundy ....... 500
Johnny English ….. 1,200
Total Payroll ....... 23,200

For the MPG will be something like

MPG for zyz truck
Week 1 ..... 12
Week 2 ..... 33
Week 3 ..... 27
MPG Ave ..... 24

Answers

Answer:

The program code is completed below

Explanation:

Program Code:

"""

  Your Name

  Course Name, Section (example: ENTD200 B002 Spr15)

  Instructor name

  Week #

  Date completed

"""

months = ["January ", "February", "March", "April", "May", "June", "July"

, "August", "September", "October", "November", "December"]

for i in range(0,12):

print("Month",i+1, "is" , months[i])

Accessor instance method names typically begin with the word "____" or the word "____" depending on the return type of the method.1. set, is
2. get, can
3. set, get 0%
4. get, is

Answers

Answer:

Accessor instance method names typically begin with the word "Get" or the word "Is" depending on the return type of the method.

Explanation

These methods are also called get methods. These are the type of instances that allow to get variable value from the outside of class.

This is the reason that this type of instances start with the word Get.

For Example

an instance could be started as

public datatype of variable getvarname

{

}

In cell B3 in the Bonnet sheet, create a validation rule with these specifications: • Whole number less than or equal to $350. • Input message title Professional Membership and input message Enter the amount of the annual professional membership dues. • Error alert style Warning, alert title Too Expensive, and error message The amount you tried to enter exceeds $350. Please select a less expensive membership.

Answers

Answer:

Spread sheet application (eg Microsoft Excel).

Explanation:

Data validation is a very power tool in spread sheet applications like Excel. It is used to determine the type of data that should be inputted in a cell or group of cells or an entire column. To create a data validation rule, select the area or column(s), locate and click on the data tab in the ribbon menu, then locate data validation.

To input numbers, select the number tab on the new window, then whole number and range of the input value (it can also be customised). A message for the user can be set with a title and body, to alert the user of the needed input. For wrong input, an error message with a title and body, can be set to alert users of wrong entries.

Assume that you have an ArrayList variable named a containing 4 elements, and an object named element that is the correct type to be stored in the ArrayList.

Which of these statements adds the object to the end of the collection?1. a[3] = element;
2. a.add(element;
3. a[4] = element;
4. a.add(element);

Answers

Answer:

Option (4) is the correct answer.

Explanation:

In Java programming language ,array collection starts from 0 index location and ends in a size-1 index location. So to access the last elements the user needs to use a[Size-1] statement. so to modify the value of the last location of the array the user needs to use "a[size-1]= element;".

But when the user wants to add some new value to the end of the array list collection then he needs to use the statement--

a.add(element); //where add is a function, element is a value and a is a array list object.

Another option is invalid because--

Option 1 is not the correct because "a[3]=element;" modify the value of the 3rd element of the array.Option 2 gives a compile-time error because add functions bracts are not closed.Option 3 gives the error because a[4] gives the location of the 5th element of the array but the above question says that a is defined with 4 elements.

Mad Libs are activities that have a person provide various words, which are then used to complete a short story in unexpected (and hopefully funny) ways. Write a program that takes a string and integer as input, and outputs a sentence using those items as below. The program repeats until the input string is quit. Ex: If the input is:

Answers

Answer: Complete a short story

#include<iostream>  

//built in library provides basic input and output services

using namespace std;

//declarative region that provides a scope to the identifiers (names of the

//types, function, variables etc

int compare(char[]);

//User defined function which takes a character array as argument.

int main()

//Main body of the program

{

       // 3 strings are initialized as empty: userinput, integer, word

char integer[50] = { 0 }, userinput[50] = { 0 }, word[50] = { 0 };

       //Variable declaration

int value;

int loopvalue = 0;

do {

 /*input string from user*/

 cout << "enter string";

 cin.getline(userinput, 50);

 /*initialize loop variables*/

 loopvalue = compare(userinput);

 if (!loopvalue) {

  return 0;

 }

 int i = 0; // for userinput

 int j = 0; // after having space to store integer

 int fillnum = 0; // to store integer

 while (userinput[i]) {

  if (userinput[i] == ' ')

                         {

//checking if there is a space then time to store an integer (here we are treating integer as a string)

   int j = i + 1;

   while (userinput[j]) {

    integer[fillnum] = userinput[j];

    fillnum++; j++;

   }

   break;

  }

  else {

// if there is no occurrence of space then store alphabet considering it for a word

   word[j] = userinput[i];

   j++;

  }

  i++;

 }

 cout << "Eating " << integer<< " "<<word <<" a day keeps the doctor away" <<endl;

 

} while (loopvalue);

}

int compare(char str[])

{

int i = 0;

char checkstring[] = "quit";

while (str[i] != '\0' || checkstring[i] != '\0')

// checking until the character in both arrays not reach to the null character

{

 if ((str[i])>(checkstring[i]) || (str[i])<(checkstring[i]))

  return 1;

 else

  i++;

}

return 0;

}

Explanation:

A c++ program is written to solve this problem. The explanation of each step is written in the program by using c++ comments.

// This symbol shows single line comment

/* */   These symbols shows multi line comment. Starting symbol is /* and ending symbol is */  

cin.getline() is used to read unformatted string (set of characters) from the standard input device (keyboard).

char[ ] creates a character array which is like any other array.

return 0; The main function is of type int so it should return an integer value. It represent "Exit Status" of the program. Returning 0 is also a success status like saying "The program worked fine"

'\0' is the null character which terminate the string. Without it, the computer has no way to know how long that group of characters.

|| means OR. so it is true if at least one of the terms is true, false otherwise.

To see output, by giving your own input you can use any c++ compiler or IDE(Integrated Development Environment).

Happy Coding :)

Sure! Here's an example implementation of a Mad Libs program in Python:

def mad_libs(word, number):

   return f"The {word} jumped over {number} lazy dogs."

while True:

   input_str = input("Enter a word (or 'quit' to exit): ")

   if input_str.lower() == "quit":

       break

   input_num = input("Enter a number: ")

   try:

       input_num = int(input_num)

       print(mad_libs(input_str, input_num))

   except ValueError:

       print("Please enter a valid number.")

print("Goodbye!")

This program defines a `mad_libs` function that takes a word and a number as input and returns a sentence with those items filled in. It then repeatedly prompts the user for input until they enter "quit", at which point the program exits.

Address the FIXME comments. Move the respective code from the while-loop to the created function. The add_grade function has already been created.# FIXME: Create add_grade functiondef add_grade(student_grades):print('Entering grade. \n')name, grade = input(grade_prompt).split()student_grades[name] = grade# FIXME: Create delete_name function# FIXME: Create print_grades functionstudent_grades = {} # Create an empty dictgrade_prompt = "Enter name and grade (Ex. 'Bob A+'):\n"delete_prompt = "Enter name to delete:\n"menu_prompt = ("1. Add/modify student grade\n""2. Delete student grade\n""3. Print student grades\n""4. Quit\n\n")command = input(menu_prompt).lower().strip()while command != '4': # Exit when user enters '4'if command == '1':add_grade(student_grades)elif command == '2':# FIXME: Only call delete_name() hereprint('Deleting grade.\n')name = input(delete_prompt)del student_grades[name]elif command == '3':# FIXME: Only call print_grades() hereprint('Printing grades.\n') for name, grade in student_grades.items(): print(name, 'has a', grade) else: print('Unrecognized command.\n') command = input().lower().strip()

Answers

Answer:

The Python code is given below with appropriate comments

Explanation:

# FIXME: Create add_grade function

def add_grade(student_grades):

print('Entering grade. \n')

name, grade = input(grade_prompt).split()

student_grades[name] = grade

# FIXME: Create delete_name function

def delete_name(student_grades):

print('Deleting grade.\n')

name = input(delete_prompt)

del student_grades[name]

 

# FIXME: Create print_grades function

def print_grades(student_grades):

print('Printing grades.\n')    

for name, grade in student_grades.items():

print(name, 'has a', grade)

 

student_grades = {} # Create an empty dict

grade_prompt = "Enter name and grade (Ex. 'Bob A+'):\n"

delete_prompt = "Enter name to delete:\n"

menu_prompt = ("1. Add/modify student grade\n"

"2. Delete student grade\n"

"3. Print student grades\n"

"4. Quit\n\n")

command = input(menu_prompt).lower().strip()

while command != '4': # Exit when user enters '4'

if command == '1':

add_grade(student_grades)

elif command == '2':

# FIXME: Only call delete_name() here

delete_name(student_grades)

elif command == '3':

# FIXME: Only call print_grades() here

print_grades(student_grades)

else:

print('Unrecognized command.\n')

command = input().lower().strip()

The code updates involve creating the delete_name and print_grades functions and modifying the while-loop to call these functions when needed. The add_grade function is already defined and used for adding or modifying student grades. Ensuring these changes will improve code organization and readability.

To address the FIXME comments in the given code, we need to create three functions and move the respective operations from the while-loop into these functions. Here are the missing functions:

add_grade Function :

The add_grade function is already created, so we can move on to the next two functions.

delete_name Function :

We can define the delete_name function to handle deletion of student grades:

def delete_name(student_grades):
 print('Deleting grade. \n')
 name = input("Enter name to delete:\n")
 if name in student_grades:
   del student_grades[name]
 else:
   print(f'No student named {name} found.')

print_grades Function :

We can define the print_grades function to print all student grades:

def print_grades(student_grades):
 print('Printing grades.\n')
 for name, grade in student_grades.items():
   print(f'{name} has a {grade}')

Updated Code :

Now, update the while-loop to call these functions:

student_grades = {}  # Create an empty dict
grade_prompt = "Enter name and grade (Ex. 'Bob A+'):\n"
delete_prompt = "Enter name to delete:\n"
menu_prompt = ("1. Add/modify student grade\n" "2. Delete student grade\n" "3. Print student grades\n" "4. Quit\n\n")
command = input(menu_prompt).lower().strip()
while command != '4':  # Exit when user enters '4'
 if command == '1':
   add_grade(student_grades)
 elif command == '2':
   delete_name(student_grades)
 elif command == '3':
   print_grades(student_grades)
 else:
   print('Unrecognized command.\n')
 command = input().lower().strip()

In a brief essay explain the security vulnerabilities of transition methods (6to4, etc.)

Answers

Answer:

While transiting from IPv4  to IPv6, many offices and companies use both the protocols (Ipv4 and IPv6) at the same time. This scenario can increase the risk  rate of attack twice. All the flaws and vulnerabilities could be overlooked easily when transition is done.

On the other hand, while transiting Ipv6 to IPv4, the router does not tells or depicts that the communication is appropriate or if it could be used as a part of DoS attack that make it so much harder to trace the origin back.

The reason for the vulnerability of Transport Relay Translators (TRT) is that they do not apply Internet Protocol Security (IPSec) and thats why they are not secure.

i hope it will help you!

Write a Python function merge_dict that takes two dictionaries(d1, d2) as parameters, and returns a modified dictionary(d1) constructed using the following rules. The rules for addition into the new dictionary are as follows: Add key/value pairs from d2 into d1. If a key from d2 already appears in d1: the new value in d1 is the sum of the values If a key appear

Answers

Answer:

def merge_dict(d1, d2):    for key in d2:        if key in d1:            d1[key] += d2[key]        else:            d1[key] = d2[key]        return d1 d1 = {    'a': 5,    'b': 8,    'c': 9  } d2 = {    'c': 5,    'd': 10,    'e': 12 } modified_dict = merge_dict(d1, d2) print(modified_dict)

Explanation:

Firstly, create a function merge_dict() with two parameters, d1, d2 as required by the question (Line 1)

Since our aim is to join the d2 into d1, we should traverse the key of d2. To do so, use a for loop to traverse the d2 key (Line 2).

While traversing the d2 key, we need to handle two possible cases, 1) d2 key appears in d1, 2) d2 key doesn't appears in d1. Therefore, we create if and else statement (Line 3 & 5).

To handle the first case, we add the values of d2 key into d1 (Line 4). For second case, we add the d2 key as the new key to d1 (Line 6).

Next, we can create two sample dictionaries (Line 11 - 20) and invoke the function to examine the output. We shall get the output as follows:

{'a': 5, 'b': 8, 'c': 14, 'd': 10, 'e': 12}

Identify the kind of argument.
Using a lemon when cooking is like using a lime. Given that limes can be added to bland foods to give them some zest, lemons, too, will give zest to bland foods.

a. Analogical argument
b. Categorical argument
c. Truth-functional argument
d. Causal argument

Answers

Answer:

B

Explanation:

A categorical argument or syllogism consists of deductive statement based on two premises. For example the highlighted statements:

No boy is a girl

Some humans are boys

Therefore, some humans are girls

is a categorical argument which consists of two premises (No boy is a girl, some humans are boys) and a deduction (Therefore, some humans are girls). The deduction is made by using the premises as the basis.

In the question, the two premises are:

Using a lemon when cooking is like using a lime

Limes add to bland foods to give them some zest

The deduction is:

Therefore, lemons too will give zest to bland foods

Thus, representing a categorical argument.

A local variable is a variable that can only be accessed in the region in which it was defined.

A. True
B. False

Answers

The answer to this question would be, A. True

Last year the major search engine stopped providing the keyword data when they forwarded the organic users who clicked over from their search results page. What this means is that the site receiving the visitor no longer could determine the performance of users and the specific keywords they used on the search engine to get to the site. In other words, the site's visibility of visitor history was significantly decreased.What effect do you think this had on the volume of traffic?

Answers

Answer:

This action by major search engine  would reduced the volume of traffic for site receiving the users from the search engine.

Explanation:

In order to get a better understanding of the answer above let first understand, what a keywords are.

Keywords are ideas and topics that define what the content of your website is about. In terms of SEO (Search Engine Optimization:it is the process that organizations go through to help make sure that their site ranks high in the search engines for relevant keywords and phrases) they're the words and phrases that searchers enter into search engines. These keyword are important because they are like a bridge between what people are searching for and the content you are providing to fill that need.

When this major search engine stopped providing this keyword data it meant that for those website who relied on those keywords to optimize their website in other to be top ranked on this major search engine and gain more traffic would no longer be able to gain access to these keyword and hence would fall in ranking on this major search engines and this in turn this would reduce the traffic to their website.    

In the process of conducting design considerations a program's systems engineers should check?

Answers

Answer:

The program's systems engineer must first check for the problem which is to be solved and possible ways to achieve them.

Explanation:

The process of conducting a design first thing would be to identify the need i.e. what problem will the design be solving.

Then identifying the target population, which is the people that will be benefiting from the design.

Next would be the design need and constraints, the need refers to what would be needed to achieve the design aim while the constraint would be the problems or hindrance to achieving the design aim.

You are designing a distributed application for Azure. The application must securely integrate with on-premises servers. You need to recommend a method of enabling Internet Protocol security (IPsec)-protected connections between on-premises servers and the distributed application. What should you recommend?

Answers

Answer:

Azure Site-to-Site VPN

Explanation:

Distributed applications are computer softwares that run and work with each other on different computers that are registered under a network to execute a specific task.

And the method of enabling Internet Protocol security (IPsec)-protected connections between on-premises servers and the distributed application is a Site-to-Site VPN.

Azure Site-to-Site VPN gateway connection is used to securely integrate with on-premises servers. It is used to send encoded messages.

Answer:

Azure Site-to-Site VPN

Explanation:

First of all what is a distributed application

According to Techopedia  

 A distributed application is software that is executed or run on multiple computers within a network. These applications interact in order to achieve a specific goal or task.  

Azure distributed applications are software that run on Azure which is a cloud base technology that not only provides an Application Hosting environment, but also a full-scale Development Platform.  

In order to understand why this answer for this question we need to also understand what an On-premises server is.

On-premises:  

This can be defined as a computer application that is always found at a company's data center instead of running it on a hosted server or in the cloud  

Now an Azure Site-to-Site VPN is the recommended method for enabling Internet Protocol security (IPsec)-protected connections between on-premises servers and the distributed application because IPsec can be used on Site-to-Site VPN, and Distributed applications can used the IPSec VPN connections to communicate.

Encoding is the process:
Select one:
a. of assigning meaning to an idea or thought
b. and location where communication takes place
c. of translating an idea or a thought into a code
d. of any interference in the encoding and decoding processes that reduces the clarity of a message
e. of arrangement of symbols used to create meanings

Answers

Answer:

Of translating an idea or a thought into a code

Explanation:

Encoding is the process of translating an idea or a thought into a code.

For example:

You want a friend to get you a gaming Laptop as a birthday gift, while describing the specification and how the laptop should look like. You visualize a fast laptop in black cover. You tell your friend it is "fast and portable". You translate your perceptions on a particular laptop into words that describe the model.

Which of these is a consequnce of removing a method declaration from an interface after it has been implemented?a. There are no consequences, interfaces can always be modified to remove methods. b. The method definitions would need to be removed from every subclass that implements the interface.c. Code would breakwhenever an interface reference is used to polymorphicaly call the method in an instance of an implementing class

Answers

Answer:

Option (a)

Explanation:

It will not produce any error as if a function is declared in the interface and then implemented by a class same function can be defined, but if that declaration is removed then also that class will consider that method as new declaration and it won't produce any type of error. For example : if following code of Java  is run -

interface printing{  

   void print_it();   //method declared

   }  

class Student implements printing{  

public void print_it()    //method implemented

{

   System.out.println("Hello World");

}      

public static void main(String args[]){  

Student obj = new Student();  

obj.print_it();    //method called

   }  

}

OUTPUT :

Hello world

But if the program is altered and declaration of print_it is deleted from the interface like following :

interface printing{  

//method is removed from here

   }  

class Student implements printing{  

public void print_it()    //method implemented

{

   System.out.println("Hello World");

}      

public static void main(String args[]){  

Student obj = new Student();  

obj.print_it();    //method called

   }  

}

Still no error is generated and same output is displayed as before.

Final answer:

Removing a method declaration from an interface that has been previously implemented would require all subclasses that implement the interface to have the method definition removed. Plus, code would break if an interface reference is polymorphically used to call out the removed method.

Explanation:

The consequnce of removing a method declaration from an interface after it has been implemented would be b and c. The method definitions would need to be removed from every subclass that implements the interface.

Also, if any part of your code is using an interface reference to polymorphically call the removed method on an instance of a class implementing the interface, then your code would break. This is because the compiler would expect to find a specific interface method in the implementing class, and if it's not there, it's going to throw a compilation error.

Learn more about interface here:

https://brainly.com/question/36759772

#SPJ3

The Windows ____ window allows you to create the graphical user interface for your application.

Answers

The Windows GUI window allows you to create the graphical user interface for your application.

Discuss why it is common for XML to be used in interchanging data over the Internet. What are the advantages of using XML in data interchanging?

Answers

Answer:

Gives a clear structure for storing data

Explanation:

XML provide files that are clear to read and simple to produce, data are stored in form of text and in turn it is used as a transfer mechanism that defines how the structure or model should look like. XML is also usually described as a format that describes itself, and it is easy to learn and use.

Given the following business scenario, create a Crow’s Foot ERD using a specialization hierarchy if appropriate. Two-BitDrilling Company keeps information on employees and their insurance dependents. Each employee has an employeenumber, name, date of hire, and title. If an employee is an inspector, then the date of certification and certification renewaldate should also be recorded in the system. For all employees, the Social Security number and dependent names shouldbe kept. All dependents must be associated with one and only one employee. Some employees will not have dependents,while others will have many dependents.

Answers

The business rules, cardinality and type of relationships, entities, attributes and ERD all are described and discussed.

BUSINESS RULES

One employee may or may not have insurance dependents.

One insurance dependent is associated with only one employee.

One employee may or may not be an inspector.

All the participants, employee, inspector, insurance dependent become entities and the interactions among these participants become the relationships in the ERD.

RELATIONSHIPS

The relationship between an employee and insurance dependent is 1 to Many and the relationship between an employee and the inspector is 1 to 1.

STRONG - WEAK ENTITIES

Both the relationships of EMPLOYEE entity with INSPECTOR and INS_DEPENDENT entities are optional.

Hence, both INSPECTOR and INS_DEPENDENT are weak entities; EMPLOYEE is a strong entity.

Entities

EMPLOYEE

INSPECTOR

INS_DEPENDENT

Entities - Attributes

EMPLOYEE ( SSN, empNum, empName, HireDate, Title )

PRIMARY KEY - SSN

SSN - Social Security number

empNum - employee number

empName - employee name

HireDate - date of hiring the employee

Title - job title of the employee

INSPECTOR ( SSN, certificationDate , certificationRenewalDate )

FOREIGN KEY - SSN

SSN references SSN from EMPLOYEE table.

certificationDate - date of certification of the inspector

certificationRenewalDate - date of renewal of certification of the inspector

INS_DEPENDENT ( depNum, depName, SSN )

PRIMARY KEY - depNum

FOREIGN KEY - SSN

SSN references SSN from EMPLOYEE table.

depName - name of the insurance dependent

Entity Relationship Diagram - ERD

Entities are shown as boxes with primary key as PK and/ or foreign key, FK. The other attributes are listed vertically.

The primary key is shown in bold and is underlined.

The foreign key is shown in italics.

The relationship between an employee and insurance dependent is optional and shown with a dotted line.

Not all employees are inspectors, hence, this relationship is also optional and shown using specialization hierarchy.

If x is a string, then xR is the reverse of the string. For example, if x = 1011, then xR = 1101. A string is a palindrome if the string is the same backwards and forwards (i.e., if x = xR). Let B = {0, 1}. The set Bn is the set of all n-bit strings. Let Pn be the set of all strings in Bn that are palindromes.


(c) Determine the cardinality of P7 by showing a bijection between P7 and Bn for some n.

Answers

Answer:

Answer explained below

Explanation:

Credit to Jordan Johnson,

The set Bn contains all binary strings of size n. The number of strings in the set is equal to 2n since there are n positions to fill and each position can be filled with either 0 or 1.

Therefore, total number of strings = 2 * 2 * … * 2 = 2n

The set Pn that contains all the n-bit strings that are palindrome is a subset of the set Bn.

(c)

The set P7 contains 7-bit binary strings that are a palindrome. Each bit can either be 0 or 1 and hence there are 2 ways to fill each position of the binary string. The number of strings in P7can be computed as follows:

The first bit should be equal to the seventh bit. Number of ways to fill the first bit = 2 ways

The second bit should be equal to the sixth bit. Number of ways to fill the second bit = 2 ways

The third bit should be equal to the fifth bit. Number of ways to fill the third bit = 2 ways

The fourth bit could either be 0 or 1. Number of ways to fill the fourth bit = 2 ways

Therefore, the cardinality of P7 is equal to the total number of ways to fill the first 4 bits of the 7-bit strings = 2*2*2*2 = 16

To create a bijection function between P7 and Bn, compute the value of n as shown below:

Number of strings in P7 = Number of strings in Bn

16 = 2n

24 = 2n

Therefore, the value of n = 4.

The string in the set B4 are as follows:

{0000, 0001, 0010, 0011, 0100, 0101, 0110, 0111, 1000, 1001, 1010, 1011, 1100, 1101, 1110, 1111}

Proof for bijection:

1. The above function P7 to B4 is one-one or injective, that is, if f(x) = f(y), then x = y where x, y belongs to the set P7.

For all x and y belonging to set P7, there are no two strings x and y for which f(x) = f (y), where x is not equal to y.

Hence, the function is one-one or injective.

2. The above function is onto or surjective, that is, for all y belonging to B4, there exist f(x) such that f(x) = y.

In other words, there is no y that belongs to B4 which is not mapped to an element of the set P7. None of the element in the set B4 is left un-mapped.

Hence, the function is onto or surjective.

Since the function is injective and surjective, the function P7 to B4 is bijective.

Hence, proved.

To determine the cardinality of P7, consider that a 7-bit palindrome can be formed by independently choosing 4 bits, leading to 16 possible palindromes. The cardinality of P7 is 16.

To determine the cardinality of P7, we need to count how many 7-bit strings are palindromes. A palindrome reads the same forwards and backwards.

Given a 7-bit string, for it to be a palindrome, the first bit must be the same as the last bit, the second bit must be the same as the second-to-last bit, and so forth. We can describe the 7-bit palindrome as: x1 x2 x3 x4 x3 x2 x1. Here, x1 to x4 can be independently chosen.

Therefore, there are 4 independent bits (x1, x2, x3, x4), each of which can be either 0 or 1. Hence, there are 24 = 16 possible palindromic strings in P7.

The bijection is between P7 and B4, because each of the 4 bits in B4 can independently form a unique palindrome in P7.

The cardinality of P7 is 16.

Create a base class named rectangle that contains lenght and width data members.

Form this class derive a class named Box having an additional data member named depth. The function members of the base rectangle class should consist of a constructor and an area function.

The derived box class should have a constructor, a voulume function, and an override function named area that returns the surface area of the box.

Answers

Answer:

class Rectangle:  

   

   def __init__(self, length, width):

       self.length = length

       self.width = width

       

   

   def area(self):

       area = self.length*self.width

       return area

   

   

class Box (Rectangle):

   

   def __init__(self, length, width, height):

       super().__init__(length, width)

       self.height = height

       

   def volume(self):

       volume = self.length * self.width * self.height

       return volume

   

   def area(self):

       area = 2*(self.length*self.width) + 2*(self.length*self.height) + 2*(self.width*self.height)

       return area

rec_1 = Rectangle(2,4)

box_1 = Box(2,2,6)

print(box_1.length)

print(box_1.area())

   

print(rec_1.length)

print(rec_1.area())

Explanation:

The programming language used is python.

class Rectangle

The class Rectangle is created with attributes length and width.

The class attributes are initialized using the __init__ constructor.

In the rectangle class, a method/function is declared to return the area of the rectangle.

class Box

This class is a child of rectangle and it inherits all its attributes and methods,

It has an additional attribute of depth and its constructor is used to initialize it.

The class contains a volume function, that returns the volume and an override function 'area()' that displaces the area from the parent class.

Finally, some instances of both classes are created.

Which type of testing is done when one of your existing functions stop working?

Answers

Answer:

The correct answer for the given question is "alpha testing".

Explanation:

The main aim of the alpha testing is to solve all the issues like debugging, error before the software is released into the market.This type of testing is done by the programmer when any issue occurs .in the software testing cycle firstly the alpha testing is performed when the alpha testing is finished then after beta testing is performed .

The alpha testing is tested the existing module or the function when it stops the working. The programmer checks that existing module it checks if any error occurs then it corrected that module.

Universal Containers uses a custom field on the account object to capture the account credit status. The sales team wants to display the account credit status on opportunities Which feature should a system administrator use to meet the requirements?

Answers

Answer:

Cross-object formula field

Explanation:

A Cross-object formula is a formula which does span two related objects, and then references merge fields on those same objects. Which makes it the best feature for the system administrator to display the account credit status on opportunities.

Write a program that prompts the user to input a string.


The program then uses the function substr to remove all the vowels from the string.


For example, if str = "There", then after removing all the vowels, str = "Thr".


After removing all the vowels, output the string.


Your program must contain a function to remove all the vowels and a function to determine whether a character is a vowel.

Answers

Answer:

#include <iostream>

using namespace std;

bool is_vowel(char c)

{

   switch(c)  //switch case to check if vowel is present

   {

       case 'a':

       case 'A':

       case 'e':

       case 'E':

       case 'i':

       case 'I':

       case 'o':

       case 'O':

       case 'u':

       case 'U': return true;

                 break;

       default : return false;

       

   }

}

string remove_vowel(string input)

{

   string str="";

   for(int i=0;input[i]!='\0';i++)

   {

       if(!is_vowel(input[i]))  //if vowel then not copied to substring

           str+=input[i];

   }

   return str;

}

int main()

{

   string str;

   cout<<"Enter string\n";

   cin>>str;

   cout<<"\nAfter removal of vowels substring is : "<<remove_vowel(str);  //substring is returned

   return 0;

}

OUTPUT :

Enter String

There

After removal of vowels substring is : Thr

Explanation:

The above program contains two methods in which one is is_vowel() which checks if the passed character is a vowel or not and the other method is remove_vowel() which removes all vowels from the string and returns a string which does not contain any vowel. This method passes every character of the string to the is_vowel() method and if false then it copies the character to the new string. At last, it returns a new string.  

This program prompts the user to input a string and removes all the vowels from it using custom functions.

Remove Vowels from a String Program

This program will prompt the user to input a string and then remove all the vowels from it using the substr function. Here is the step-by-step explanation:

Step-by-Step Explanation:

Define a function to determine if a character is a vowel.

Define a function to remove all the vowels from the string.

Prompt the user to input a string.

Apply the function to remove vowels from the string.

Print the modified string.

Example Code in Python:

def is_vowel(char):

   vowels = "aeiouAEIOU"

   return char in vowels

def remove_vowels(string):

   return ''.join([char for char in string if not is_vowel(char)])

def main():

   user_input = input("Enter a string: ")

   result = remove_vowels(user_input)

   print("String after removing vowels:", result)

if __name__ == "__main__":

   main()

In this code, the is_vowel function checks if a character is a vowel. The remove_vowels function creates a new string without vowels by filtering characters. Finally, the user input is processed, and the result is displayed.

Meager Media is a small- to medium-sized business that is involved in the sale of used books, CDs/DVDs, and computer games. Meager Media has stores in several cities across the U.S. and is planning to bring its inventory online. The company will need to support a credit card transaction processing and e-commerce website.Write a summary report detailing what Meager Media must do when setting up its website to maintain compliance with PCI DSS. Obtain a copy of the PCI DSS document from the following website and address all 6 principles and 12 requirements in your report:

Answers

Meager Media must comply with six control objectives and twelve requirements of PCI DSS for its e-commerce website, including building a secure network, protecting cardholder data, maintaining a vulnerability management program, implementing strong access control measures, regularly monitoring and testing networks, and maintaining an information security policy.

PCI DSS Compliance for Meager Media

Meager Media, a company planning to expand its operations into the e-commerce space, must adhere to the Payment Card Industry Data Security Standard (PCI DSS) compliance requirements. PCI DSS has six control objectives that encapsulate 12 key requirements for security.

Breakdown of PCI DSS Requirements

Build and Maintain a Secure Network: Implement a firewall to protect cardholder data and ensure that system passwords are not defaults.Protect Cardholder Data: Encrypt transmission of cardholder data across public networks and protect stored data.Maintain a Vulnerability Management Program: Use anti-virus software and develop secure systems and applications.Implement Strong Access Control Measures: Restrict access to cardholder data by business need-to-know, assign unique IDs to those with computer access, and restrict physical access to cardholder information.Regularly Monitor and Test Networks: Track and monitor all access to network resources and cardholder data, test security systems and processes regularly.Maintain an Information Security Policy: Establish, publish, maintain, and disseminate a security policy.

To comply with these requirements, Meager Media must ensure that its IT infrastructure is robust, secure, and capable of protecting sensitive customer information. This includes regular updates, monitoring, and security training for staff. Additionally, Meager Media must engage in regular PCI compliance assessments to ensure ongoing adherence to these standards.

Consider the following declaration.int[] beta = new int[3];int j;Which of the following input statements correctly input values into beta? (Assume that cin is a Scanner object initialized to the standard input device.)(i)beta[0] = cin.nextInt();beta[1] = cin.nextInt();beta[2] = cin.nextInt();(ii)for (j = 0; j < 3; j++)beta[j] = cin.nextInt();

Answers

Answer:

The answer is "Option (i) and (ii)".

Explanation:

In the given java code an integer array that is "beta" defines that contains 3 elements. To insert element in by user input we use scanner class object that is "cin". In the given question two options are defined that is used for inserting elements in array but there is a minor difference between them that can be described as:  

In option (i), To insert an element in array we use index value. It is time taking. In option (ii), In this option use a loop, inside a loop we write only one line, and this line inserts elements in array automatically.

A developer has completed work in the sandbox and is ready to send it to a related org. What is the easiest deployment tool that can be used?Select one:a. Force.com Migration Toolb. Change Setsc. Unmanaged Packagesd. Force.com IDE

Answers

Answer:

b. Change Sets

Explanation:

Change Sets belongs to a group of tools provided by Salesforce to migrate data between organizations. It's such an easy and quick way to exchange metadata from an origin organization to a target organization via a shared production instance (in this case, the sandbox). The benefits you get with this tools are:

Graphical User Interface.User-friendly system (quick and simple process).Easy to learn.No extra charges to use this tool (is included in the Salesforce subscription).

Nonverbal codes: (Select one)

(A) consist of symbols and their grammatical arrangement.
(B) are a systematic arrangement of symbols used to create meanings in the mind of another person or persons.
(C) are all symbols that are not words, including bodily movements, the use of space and time, and sounds other than words.
(D) are any interference in the encoding and decoding processes that reduces the clarity of a message.
(E) are the location where communication takes place.

Answers

Answer:

Option C: is the correct answer.

Nonverbal codes are all symbols that are not words, including bodily movements, the use of space and time, and sounds other than words.

Explanation:

As depicted from the word, nonverbal means free of words.

Sometimes, there are situations when instead of conveying anything by the usage of words, codes and gestures are used. These gestures may be provided using hands, eyes, time pauses etc.

So a non-verbal codes can also be defined as:

" A behavioral act that maybe depicted through sounds and body movements instead using words."

i hope it will help you!
Other Questions
Pearson Collections (PC) sells one-pound cans of coffee for $25 each. The variable cost to produce each can is $17.50, and fixed operating costs are $1,500. PC normally sells 30,000 pounds of coffee each year, has an interest expense equal to $300, and its marginal tax rate is 40 percent. Given this information, what is PCs operating breakeven point? Which in thinking about clarisse's friendship and her death montag goes trembling along the hall to the kitchen. Why has his brief interaction with her made such an impact on him? Suppose that Bob places a value of $10 on a movie ticket and that Lisa places a value of $7 on a movie ticket. In addition, suppose the price of a movie ticket is $5. 15. Refer to Scenario 12-2. Suppose the government levies a tax of $3 on a movie ticket and that, as a result, the price of a movie ticket increases to $8. What is total consumer surplus after the tax is imposed? Maria Womack works for a bank in Michigan and is dissatisfied with the way her manager treats her. She is planning to quit her job and find a new position with another competitor bank. Her action represents the ________ response. what are the pros and cons of reclamation? Ed has three engineering degrees. He has hired an interior decorator to update his home. He is tremendously frustrated when he asks what he thinks are simple questions about weight-bearing walls and insulation requirements, and the designer is unable to understand. Yet Ed has the same problems when the designer starts talking about mauve, cerise, and magenta. Why is the communication process not working in this instance? In North America, native pollinators often increase the quantity and quality of crops of native plants that are insect-pollinated more effectively than European honeybees do. The most likely reason for the phenomenon is that native pollinators _____________. Benson played 12 games of trivia. He hada perfect score on every game and received35 bonus points per game. He earned atotal of 1,260 points. How many points didhe earn per game not including thebonus points? Which region of the early universe was most likely to become a galaxy? Mike is making a scale model of his favorite car. The actual car is 8 feet long and four feet wide. Mike wants his model to be 12 inches in length. Which of the following proportions could be used to find the width, w, of his model?A:8/4=12/w B:8/4=w/12 C: 8/12=w/4 D:12/8=4/w A garden is rectangular with an area of 6/7 square miles. If the length of the garden is 3/5 miles, what is its width? Cars parked on the side of a highway at night should show: a. High-beam headlights b. Interior lights only c. Flashlight only d. Parking lights Which of the following is a cognitive strategy protecting goal value and promoting self-control?(A) Decreasing the value of temptations(B) Both decreasing the value of temptations and increasing the value of goal-consistent stimuli(C) None of the answers provided are correct(D) Increasing the value of goal-consistent stimuli How did Bin Laden and Al Qaida attempt to appeal to Muslims worldwide?A.They taught sound Islamic theology.B.They asked for prayer from the worldwide community.C.They used radical persuasive rhetoric.D.They used well-known Islamic terminology. A planning budget based on a single predicted amount of sales or production volume is called a: Jerry needs to buy nails and screws for the construction site. Nails cost $2.75 per pound and screws cost $3.25 per pound. If heonly has $500 to spend on nails and screws, which inequality represents the situation where he buys x pounds of nails and ypounds of screws?A)3.25x +2.75y s 500B)3.25x + 2.75y 2 5002.75x + 3.25y s 500D)2.75x + 3.25y 2 500 Discuss the law of segregation and explain why each organism has two copies of gene for each trait expressed Help me find 7x+6=41 1. What were the three forms of English madrigals? Describe each type. 2. What were chorales? Why were they popular? 3. What is a consort? 4. Who was Guillaume Dufay? What contributions did he make to Renaissance music? 5. Who was William Byrd? What contributions did he make to Renaissance music What is the most accurate definition of sarcasm?OA. The use of verbal irony to criticizeOB. The feeling evoked by a wordOC. Words that make pictures in the reader's mindOD. The recurrence of a symbol, metaphor, or image Steam Workshop Downloader