Answer:
c. Web Application Frameworks
Explanation:
Web Application Frameworks is a form of a software framework that is made to perform support for the building of web applications such as web services, web resources, and web APIs. Web frameworks.
Also, Web Application Frameworks automatically perform the function of primary activities carried out in web development such as create, read, update, delete.
Hence, in this case, the correct answer is Web Application Framework.
Which heading function is the biggest?
1. h1
2. h2
3. h3
Answer:
h3
Explanation:
sub to Thicc Panda on YT
What line of code makes the character pointer studentPointer point to the character variable userStudent?char userStudent = 'S';char* studentPointer;
Answer:
char* studentPointer = &userStudent;
Explanation:
Pointers in C are variables used to point to the location of another variable. To declare pointer, the data type must be specified (same as the variable it is pointing to), followed by an asterisk and then the name of the pointer. The reference of the target variable is also assigned to the pointer to allow direct changes from the pointer variable.
Write a Python program to keep track of data for the following information in a medical clinic: doctors, patients, and patient_visits
Patients and Doctors have an ID, first name, and last name as common attributes. Doctors have these additional attributes: specialty (e.g. heart surgeon, ear-nose-throat specialist, or dermatologist), total hours worked, and hourly pay. Further, doctors keep track of the patient_visits. A patient_visit has the following attributes, number_of_visits to the clinic, the patient who is visiting, the doctor requested to be visited, and the number of hours needed for consultation. Based on the number of consultation hours, the doctor will get paid.
The following functions are required:
1. addVisit: this function adds a patient_visit to the doctor. A new visit will NOT be added if the doctor has already completed 40 hours or more of consultation. If this happens, an error is thrown mentioning that the doctor cannot have more visits this week.
2. calculatePay: this function calculates the payment for the doctor using the following logic: Each hour is worth AED 150 for the first two visits of the patient and all further visits are billed at AED 50.
3. calculateBill: this function calculates the bill for the patient, which displays the doctor's details, patient details, and payment details. An additional 5% of the total is added as VAT.
The student is required to identify classes, related attributes, and behaviors. Students are free to add as many attributes as required. The appropriate access modifiers (private, public, or protected) must be used while implementing class relationships. Proper documentation of code is mandatory. The student must also test the code, by creating at-least three objects. All classes must have a display function, and the program must have the functionality to print the current state of the objects.
Which Cisco IOS command will permit the engineer to modify the current configuration of the switch while it is powered on?
What happens when a basic text file without any HTML code is opened in a web browser?
The text will be shown without any formatting.
The web page will appear to be blank.
The browser will show an error message.
The file will open only if it has the extension .html.
Answer:
The text will be shown without any formatting.
Explanation:
Answer:
the answer is
ও a- the text will be shown without any formatting
Explanation:
⁂ just did the cumulative exam review, hope this helped ☺
Which interpersonal skill is the most important for a telecom technician to develop?
teamwork
active listening
conflict resolution
social awareness
Answer: Interpersonal communication is the process of face-to-face exchange of thoughts, ideas, feelings and emotions between two or more people. This includes both verbal and nonverbal elements of personal interaction.
Explanation:
i think plz dont be mad
For each sentence below, indicate if it is a True or False statement.
a. Compared to an un-pipelined processor, a pipelined architecture usually has a shorter clock cycle.
b. Control hazards in a pipelined architecture are due to data dependency of the instructions.
c. DRAM (Dynamic Random Access Memory) is as fast as SRAM (Static Random Access Memory)
Answer:
Explanation:
a. Compared to an un-pipelined processor, a pipelined architecture usually has a shorter clock cycle. The given stattement is true True
b. Control hazards in a pipelined architecture are due to data dependency of the instructions. The given statement is True
c. DRAM (Dynamic Random Access Memory) is as fast as SRAM (Static Random Access Memory).- static RAM is fast and expensive, and dynamic RAM is less expensive and slower. Therefore, the statement is False
Write a query to find the customer balance summary (total, min, max, avg) for all customers who have not made purchases during the current invoicing period
Answer:
SELECT SUM(customer_balance) as Total, MIN(customer_balance) as minimum_balance, Max(customer_balance) as maximum_balance, AVG(customer_balance) as average_balance FROM customers WHERE customer_id NOT IN (SELECT customer_id FROM invoice)
Explanation:
The SQL query statement returns four columns which are aggregates of the column customer_balance from the customers table in the database and the rows are for customers that have not made any purchase during the current invoicing period.
Why is a bedroom considered a poor study environment?
Bedrooms are dimly lit.
Bedrooms are too small.
Bedrooms are too comfortable.
Bedrooms are messy and cluttered.
Answer:
It would basically be based on how you study and what your room is like. But my opinion would be
Bedrooms are Too Comfortable- which causes you to want to sleep or not due your work
Bedrooms are dimly lit- Which makes it hard for you to see your work and see anything
Bedrooms are too small- You will fell crushed and hard to focus (I would most likely choose this answer)
Bedrooms are messy and cluttered- You will not be able to concentrate and make it hard to study or do school work. ( I would choose this because I have experienced with this and I score higher in a cleaner environment and able to focus more)
Explanation: This would all depend on how you best work.
Hope this Helps!!
Which of the following are downlink transport channels?
a. BCH.
b. PCH.
C. RACH.
d. UL-SCH.
e. DL-SCH.
What dd command would you use to copy the contents of a partition named /dev/drive1 to another partition, called /dev/backup?
Answer:
dd if=/dev/drive1 of=/dev/backup
Explanation:
Linux operating system is an open-source computer application readily available to system operators. The terminal is a platform in the operating system used to write scripts like bash and directly communicate with the system kernel.
There are two commands used in bash to copy files, the "cp" and "dd". The dd is mostly used to copy files from one storage or partition to another. The syntax of dd is;
dd if= (source partition/directory) of= (target partition/directory)
Explain why agile methods may not work well in organizations that have teams with a wide range of skills and abilities and well-established processes.
Answer:
This is mainly because the agile method involves the use of procedures which usually lack concrete steps.
Explanation:
The agile methods may not work well in organizations that have teams with a wide range of skills and abilities and well-established processes mainly because the agile method involves the use of procedures which usually lack concrete steps.
While the so called companies are usually guided by various concrete steps in their mode of functions/operation.
3. Write a function named sum_of_squares_until that takes one integer as its argument. I will call the argument no_more_than. The function will add up the squares of consecutive integers starting with 1 and stopping when adding one more would make the total go over the no_more_than number provided. The function will RETURN the sum of the squares of those first n integers so long as that sum is less than the limit given by the argument
Answer:
Following are the program to this question:
def sum_of_squares(no_more_than):#defining a method sum_of_squares that accepts a variable
i = 1#defining integer variable
t = 0#defining integer variable
while(t+i**2 <= no_more_than):#defining a while loop that checks t+i square value less than equal to parameter value
t= t+ i**2#use t variable to add value
i += 1#increment the value of i by 1
return t#return t variable value
print(sum_of_squares(12))#defining print method to call sum_of_squares method and print its return value
Output:
5
Explanation:
In the program code, a method "sum_of_squares" is declared, which accepts an integer variable "no_more_than" in its parameter, inside the method, two integer variable "i and t" are declared, in which "i" hold a value 1, and "t" hold a value that is 0.
In the next step, a while loop has defined, that square and add integer value and check its value less than equal to the parameter value, in the loop it checks the value and returns t variable value.
Select the examples that best demonstrate likely tasks for Revenue and Taxation workers. Check all that apply. Brenda works for the IRS reviewing paperwork. Jenny reviews buildings to determine how much money they are worth. Luke administers tests for driver licenses. Vernice negotiates with foreign officials in a U.S. embassy. Kareem advises businesses to make sure they handle their finances correctly. Parker takes notes during city council meetings and creates reports for council members.
Answer:
Brenda works for the IRS reviewing paperwork.
Jenny reviews buildings to determine how much money they are worth
Kareem advises businesses to make sure they handle their finances correctly.
Explanation:
The best demonstrate likely tasks for Revenue and Taxation workers are:
a. Brenda works for the IRS reviewing paperwork.
b. Jenny reviews buildings to determine how much money they are worth
e. Kareem advises businesses to make sure they handle their finances correctly.
What are Revenue and Taxation?In practically every nation on the planet, governments impose taxes as mandatory levies on people or things. Taxation is primarily used to generate money for government spending, though it can also be used for other things.
A tax is a mandatory financial charge or another sort of levy that is placed on a taxpayer by a governmental entity in order to pay for public services and other expenses.
Taxes are essential because governments use the money they raise from them to fund social programs. Government investments in the healthcare industry would not be possible without taxes. Health services including social healthcare, medical research, social security, etc. are paid for by taxes.
Therefore, the correct options are a, b, and e.
To learn more about Revenue and Taxation, refer to the link:
https://brainly.com/question/29570932
#SPJ2
What common variation of the Server Message Block (SMB) sharing protocol is considered to be a dialect of SMB?
Answer:
Common Internet File System
Explanation:
Given that the Server Message Block (SMB) has various types or variations. The most common variation of this Server Message Block sharing protocol that is considered to be a dialect of SMB is known as "Common Internet File System." This is known to serve as a form of a communication protocol for giving shared access to different outlets between nodes on a network.
Hence, in this case, the correct answer is "Common Internet File System"
A strictly dominates choice B in a multi-attribute utility. It is in your best interest to choose A no matter which attribute youare optimizing.
a. True
b. False
Answer:
A strictly dominates choice B in a multi-attribute utility. It is in your best interest to choose A no matter which attribute youare optimizing.
a. True
Explanation:
Yes. It is in the best interest to choose option A which dominates choice B. A Multiple Attribute Utility involves evaluating the values of alternatives in order to make preference decisions over the available alternatives. Multiple Attribute Utility decisions are basically characterized by multiple and conflicting attributes. To solve the decision problem, weights are assigned to each attribute. These weights are then used to determine the option that should be prioritized.
Write a script that inputs a line of encrypted text and a distance value and outputs plaintext using a Caesar cipher. The script should work for any printable characters.An example of the program input and output is shown below:Enter the coded text: Lipps${svph% Enter the distance value: 4 Hello world!# Request the inputscodedText = input("Enter the coded text: ")distanceValue = int(input("Enter the distance value: "))# Calculate the decryptionplainText = ""for cr in code:ordvalue = ord(ch)cipherValue = ordvalue - distanceif cipherValue < ord('a'):cipherValue = ord('z') - \ (distance - (ord('a') - ordvalue - 1))plainText += chr(cipherValue)print(plainText)
Answer:
# Request the inputs
codedText = input("Enter the coded text: ")
distance = int(input("Enter the distance value: "))
# Calculate the decryption
# see comment for the rest. Brainly won't let me save an answer which contains code.
Explanation:
Above is your program fixed, but it is unclear on how to deal with unprintable characters, i.e., characters that originally were near the highest printable character ('~')
When multiple frames arrive at the same location at the same time resulting in a garbled signal is called what?
a. Detectable link interruption
b. Carrier Sense problem
c. A collision
d. Poisson model error
Answer:
A
Explanation:
because there are multiple frames
The National Vulnerability Database (NVD) is responsible for actively performing vulnerability testing for every company's software and hardware infrastructure. Is this statement true or false?A. TrueB. False
Answer:
False
Explanation:
The answer to this question is false. This is because the NVD doesn't perform such tests on their own. Instead they they rely on third-party vendors, software researchers, etc to get such reports and do the assignment of CVSS scores for softwares
The National Vulnerability Database (NVD) is the United State governments leading resource for software vulnerability
Question #11
If A = 5 and B = 10, what is A* B equal to?
estion #2
estion # 3
restion #4
testion5
O 15
O Five
OTwo
O 50
Read Question
Answer:
Option 4: 50 is the correct answer.
Explanation:
Arithmetic operations can be performed using the programming languages. Some symbols used in programming languages are different from what we use in mathematics.
The symbol * is used to represent multiplication in programming languages.
Given
A = 5
B = 10
So, A*B will be equal to: 5*10 = 50
Hence,
Option 4: 50 is the correct answer.
Suppose that a t-shirt comes in five sizes: S, M, L, XL, XXL. Each size comes in four colors. How many possible t-shirts are there?
Answer:
120
Explanation:
This question is basically asking how many ways can we arrange 5 sizes of shirts if they come in 4 colors.
5 permutation of 4
To find permutation, we use the formula
P(n, r) = n! / (n - r)!
Where
n is the size of the shirts available, 5
r is the color of each shirt available, 4
P(5, 4) = 5! / (5 - 4)!
P(5, 4) = (5 * 4 * 3 * 2 * 1) / 1!
P(5, 4) = 120 / 1
P(5, 4) = 120
Therefore, the total number of shirts available is 120
Which attitudes are most common among successful IT professionals?
Create a function copy() that reads one file line by line and copies each line to another file. You should use try-except statements and use either open and close file statements or a with file statement.>>>def copy(filename1, filename2) :
Answer:
See attachment for answer
Explanation:
I could not add the answer; So, I made use of an attachment
The program is written on 9 lines and the line by line explanation is as follows:
Line 1:
This defines the function
Line 2:
This begins a try except exception that returns an exception if an error is encountered
Line 3:
This open the source file using open and with statement
Line 4:
This open the destination file using open and with statement and also makes it writable
Line 5:
This iterates through the content of the source file; line by line
Line 6:
This writes the content to the destination file
Line 7 & 8:
This is returned if an error is encountered
Line 9:
This prints that the file has been successfully copied
To call the function from main; use
copy(filename1, filename2)
Where filename1 and filename2 are names of source and destination files.
Take for instance:
filename1 = "test1.txt"
filename1 = "test2.txt"
copy(filename1, filename2)
The above will copy from test1.txt to test2.txt
The function copies text from one file to another. The program written in python 3 goes thus
def copy(filename1, filename2):
#initialize a function names copy and takes two arguments which are two files
try:
#initiate exception to prevent program throwing an error
with open(filename1, "r") as file1 :
#open file1 in the read mode with an alias
with open(filename2, "w") as file2:
#open file 2 in write mode with an alias
for line in file1:
#loop through each line in file 1
file2.write(line)
#copy / write the line in file2
except:
print("Error copying file")
#display if an error is encountered
print("File Copied")
#if no error, display file copied
Learn more : https://brainly.com/question/22392664
What is the output?
class car:
model = "
age = 20
myCar = car()
myCar.age= myCar.age + 10
print(myCar.age)
Output:
Answer:
The answer to this question is 30
The explanation is given below
You can also see the attachment section to see the image of result
Explanation:
This question want use to print the value of myCar.age
print(myCar.age)
If we look at line 3, age=20
So the previous value is 20 and we have to add 10 to add as shown
myCar.age= myCar.age + 10
The value will become 30
Answer:
30
Explanation:
trust
The purpose of __________________ is to isolate the behavior of a given component of software. It is an excellent tool for software validation testing.a. white box testingb. special box testingc. class box testingd. black-box testing
Answer:
d.) black-box testing
Explanation:
Software testing can be regarded as procedures/process engage in the verification of a system, it helps in detection of failure in the software, then after knowing the defect , then it can be corrected. Black Box Testing can be regarded as a type of software testing method whereby internal structure as well as design of the item under test is not known by one testing it. In this testing internal structure of code/ program is unknown when testing the software, it is very useful in checking functionality of a particular application. Some of the black box testing techniques commonly used are; Equivalence Partitioning, Cause effect graphing as well as Boundary value analysis. It should be noted that the purpose of black-box testing is to isolate the behavior of a given component of software.
Suppose an application generates chunks 60 bytes of data every 200msec. Assume that each chunk gets put into a TCP packet (using a standard header with no options) and that the TCP packet gets put into an IP packets. What is the % of overhead that is added in because of TCP and IP combines?
1) 40%
2) 10%
3) 20%
4) 70%
Answer:
1) 40%
Explanation:
Given the data size = 60 byte
data traversed through TSP then IP
Header size of TCP = 20 bytes to 60 bytes
Header size of IP = 20 bytes to 60 bytes
Calculating overhead:
By default minimum header size is taken into consideration hence TCP header size = 20 bytes and IP header size = 20 bytes
Hence, the correct answer is option 1 = 40%
A physical host machine has four quad-core CPUs, 16GB of RAM, 1TB of hard drive space, and two 1Gbps NICs. If we need to create four Windows 2008 servers, what will be the first bottleneck we should upgrade?a. CPUb. RAMc. Hard drived. NIC
Answer:
B. Ram
Explanation:
A random access memory (RAM) can be defined as the internal hardware memory which allows data to be read and written (changed) in a computer. Basically, a random access memory (RAM) is used for temporarily storing data such as software programs, operating system (OS), machine code and working data (data in current use) so that they are easily and rapidly accessible to the central processing unit (CPU).
Additionally, RAM is a volatile memory because any data stored in it would be lost or erased once the computer is turned off. Thus, it can only retain data while the computer is turned on and as such is considered to be a short-term memory.
There are two (2) main types of random access memory (RAM) and these are;
1. Static Random Access Memory (SRAM).
2. Dynamic Random Access Memory (DRAM).
Given a physical host machine that has four quad-core central processing units (CPUs), 16GB of random access memory (RAM), 1TB of hard drive space, and two 1Gbps network interface cards (NICs). Therefore, if we need to create four Windows 2008 servers, the first bottleneck we should upgrade is the random access memory (RAM) because it is typically the working memory that would be used by the server to store data, so they can be accessed easily and rapidly by the central processing unit (CPU).
Hence, the random access memory (RAM) may be increased from 16GB to 64GB or more depending on the client's requirements.
Write the code for the method getNewBox. The method getNewBox will return a GiftBox that has dimensions that are m times the dimensions of its GiftBox parameter, where m is a double parameter of the method.
For example, given the following code segment:
GiftBox gift = new Gift Box (3.0, 4.0, 5.0):
The call
getNewBox , 0, 5).
would return a GiftBox whose dimensions are: length = 1.5, width = 2.0, and height = 2.5 .
Answer:
public class GiftBox{
private int length;
private int width;
private int height;
public GiftBox(double length, double width, double height) {
this.length = length;
this.width = width;
this.height = height;
}
public static GiftBox getNewBox(GiftBox giftBox, double m) {
return new GiftBox(m * giftBox.length, m * giftBox.width, m * giftBox.height);
}
private boolean fitsInside(GiftBox giftBox) {
if(giftBox.length < this.length && giftBox.width <this.width
&& giftBox.height < this.height) {
return true;
}
return false;
}
public static void main(String []args){
GiftBox giftBox = new GiftBox(3.0 , 4.0, 5.0);
GiftBox newGiftBox = getNewBox(giftBox, 0.5);
System.out.println("New Box length: " + newGiftBox.length);
System.out.println("New Box width: " + newGiftBox.width);
System.out.println("New Box height: " + newGiftBox.height);
GiftBox gift = new GiftBox(3.0 , 4.0, 5.0);
GiftBox other = new GiftBox(2.1 , 3.2, 4.3);
GiftBox yetAnother = new GiftBox(2.0 , 5.0, 4.0);
System.out.println(gift.fitsInside(other));
System.out.println(gift.fitsInside(yetAnother));
}
}
Explanation:
The getNewBox is a public method in the GiftBox class in the Java source code above. It returns the GiftBox object instance increasing or multiplying the dimensions by the value of m of type double.
Any one know :) please
Answer:
C. Adds a link through the text (strikethrough)
Explanation:
I did this before lol
25 pts) Level 1 Programming Task Write the function getPop(char myCode[3]), which takes in a two-digit string representing the state or territory code and returns the associated state or territory population. The function should open and scan the file USpops.txt for the input two-digit code, myCode. If myCode is not found in the file, the function should return -1. Make sure to close the file once the file reading is complete.
Answer:
The method definition to this question can be defined as follows:
int getPop(char myCode[3])//defining a method getPop that takes char array in its parameter
{
FILE* f = NULL;//defining a pointer variable
int pop;//defining integer variable
char s_code[2];//defining char array state_code
char s_name[100];//defining char array stateName
f = fopen("state", "r");//using pointer variable that use fopen method for open file
if(f == NULL)//defining if block that check file is empty
{
return -1;//return value -1
}
while(!feof(f))//defining while loop for input value in file
{
fscanf(f, "%s %s %d",s_code, s_name, &pop);//input value
if(strncmp(myCode, s_code, 2) == 0)//use if block to compare string value
{
printf("Population for %s: %d", s_name, pop);//print value
return 0;//return 0
}
}
fclose(f);//close file
return 0;
}
Explanation:
In the above code, a method "getPop" is defined that accepts a character array "myCode" in its parameter, and inside the method, one pointer variable "f", one integer variable "pop", and two char array "s_code and s_name" is declared.
In the method firstly fopen method is used that holds a file and use if block to check it is not empty, if the condition is true it will give a value that is "-1".
In the next step, a while loop is declared, that input value and use if block to compare string value, and return 0, and at the last, it closed the file.