A function that is called or summoned into action by its reference in another function is a ____.
A) function prototype
B) called function
C) calling function
D) function declarator

Answers

Answer 1

Answer:

Answer is B. Called function

Explanation:

The function which is called is the called function.

In which function we call it, that's calling function.


Related Questions

Non linear data structures are always betterthan linear data structures;why
please give me strong ressons withexamples.

Answers

Answer:

Linear data structures stores data in a sequential order while Non Linear data structures stores data in a non-sequential order.

Non Linear data structures are better than non - linear data structures in terms of memory utilization and they are multilevel or hierarchical approach.

The memory utilization in non linear data structures is always better than linear data structures. Since linear data structures tends to waste memory.

Linear data structures uses single level while non linear data structures uses multilevel to store the data.

linear data structures examples:- arrays,linked lists,stack,queue.

Non-Linear data structures ex:- tree,graphs,heaps.

Final answer:

Non-linear data structures and linear data structures each have their own advantages and use cases, so it is incorrect to say that one is always better than the other.

Explanation:

Non-linear data structures and linear data structures each have their own advantages and use cases, so it is incorrect to say that one is always better than the other.

Linear data structures like arrays and linked lists are simple and efficient for accessing and processing data sequentially. They are suitable for scenarios where data needs to be stored and retrieved in a specific order.

On the other hand, non-linear data structures like trees and graphs are useful when relationships and connections among data are more complex. For example, trees can be used to represent hierarchical structures such as file systems or organization charts, while graphs can be used to model networks and relationships between objects.

The true or false questions.

The start directory of find is optional

Answers

Answer:

true

Explanation:

Find command syntax is as follows:

find [starting directory] [options]

For example:

$ find /tmp -name test

$ find . -name demo -print

$ find

As we can see in the last example, starting-directory and options can both be omitted and it will still be a valid command. When the start directory is omitted, it defaults to the current directory.

23. Which of the following is most likely to violate a FIFO queue? A) supermarket with no express lanes B) car repair garage C) emergency room D) fast-food restaurant E) All of the above are equally likely to violate a FIFO queue.

Answers

E) All of the above equally violate a FIFO queue

Answer:

emergency room- C)

Either a function’s _________ or its _________ must precede all calls to the function.

Answers

Answer:

Definition, Prototype

Explanation:

A function prototype is the one who declares return type,function name and parameters in it.

Syntax of function prototype

      returnType functionName(type1 argu1, type2 argu2,...);

Function definition contains the block of code to perform a specific task.

Syntax of function definition

            returnType functionName(type1 argu1, type2 argu2, ...)

          {

             //body of the function

           }

Whenever a function is called, the compiler checks if it's defined or not and control is transferred to function definition.

So,it is necessary to define the return type and parameters of the function.

Answer:

definition , prototype

Explanation: A function's definition and it's prototype must come before a function call otherwise the compiler will throw an error of undefined function whatever is the function name. Defining or giving prototype before the function call.The compiler will get to know that there a function exists with the function name and it will not give an error.

Language levels have a direct influence on _______________

Write ability

Readability

Readability

None of the given

Answers

Answer:

Write Ability.

Explanation:

Great question, it is always good to ask away and get rid of any doubts that you may be having.

The level of skill you have with a certain language directly affects how fast and accurately you can code. An experienced Java programmer can finish a project a lot faster than someone who knows how to code but does not have much experience with that language.

Your language level also directly affects a codes functionality, since a person with more experience coding in a specific language will have a significantly less amount of errors.

Based on the information given above we can say that, "Language levels have a direct influence on Write Ability."

I hope this answered your question. If you have any more questions feel free to ask away at Brainly.

Microsoft has developed the Active Directory Domain structure so that a central authority, called the __________, is the repository for all domain security records.

Answers

Answer:

Domain Controller

Explanation:

Microsoft has developed the Active Directory Domain structure so that a central authority, called the domain controller, is the repository for all domain security records.

An active direct identifies and provides the enabled administrators for connecting to the windows-based It resources.  It helps the IT department to manage and secure the windows based system and apps.

A domain controller is a server computer that replies to the secure and authentic requests within a computer network.

Hence the answer is a domain controller.

Learn more about the Active Directory Domain structure so.

brainly.com/question/13591643.

Give a Rationale for a layered approach to a network architecture. ? How does TCP/IP differ from ISO/OSI?

Answers

Answer: Layered network architecture enables us a clear loosely coupled system with a definite distinction between the various layers visible.

Explanation:

Layered architecture enable independent deployment of each of the different layer, so that emphasis can be laid to the layers in respect of their protocol deployment.

TCP/IP is a standard model which is being followed everywhere, however the OSI is a conceptual model. The TCP/IP is actually derived from the OSI model.

Both the models differ in the number of layers present in them.

TCP/IP has 4 layers whereas OSI has 7 layers.

Write a program that generates a random number between 5 and 15 and asks the user to guess what the number is. If the user’s guess is higher than the random number, the program should display Too high. Try again. If the user’s guess is lower than the random number, the program should display Too low, Try again. The program should use a loop that repeats while keeping a count of the number of guesses the user makes until the user correctly guesses the random number. Then the program should display the number of guesses along with the following message Congratulations. You figured out my number. Suggest that you also give the user the opportunity to play the game again or quit.

Answers

Answer: The c++ program for the number guessing game is given below.

#include <iostream>

using namespace std;

// method declaration without parameters

void game();

int main() {    

char reply;

// calling the game method

game();  

cout<<"Would you like to continue with the game ? Enter y to continue. Enter q to quit the game. " <<endl;

cin>>reply;  

if(reply == 'y')

    game();      

if(reply == 'q')

    cout<<"Quitting the game..."<<endl;  

return 0;

}

void game()

{

   int num, guess, attempt=0;  

num = (rand() % 10) + 6;  

cout<<endl<<"Welcome to the game of guessing the correct number "<<endl;  

   do

{    

    cout<<"Enter any number between 5 and 15. "<< endl;

    cin>>guess;      

    if(guess<5 || guess>15)

    {

        do

        {

            cout<<"Invalid number. Enter any number between 5 and 15. "<<endl;

            cin>>guess;

        }while(guess<5 || guess>15);

    }  

    if(guess < num)

    {

        cout<<"Too Low"<<endl;

        attempt++;        

    }

    if(guess > num)

    {

        cout<<"Too High"<<endl;

        attempt++;          

    }      

}while(guess != num);  

cout<<"Congratulations. You figured out my number in "<<attempt<< " attempts."<<endl;

}

Explanation:

The expression

(rand() % 10)

generates a random number between 0 and 9. 6 is added to generate a random number between 5 and 15.

The integer variable attempt is initialized to 0.

Next, user is asked to guess the number. If the user enters an invalid input, the do-while loop begins until a valid input is received from the user.

    cout<<"Enter any number between 5 and 15. "<< endl;

    cin>>guess;      

    if(guess<5 || guess>15)

    {

        do

        {

            cout<<"Invalid number. Enter any number between 5 and 15. "<<endl;

            cin>>guess;

        }while(guess<5 || guess>15);

    }  

User is prompted to input the guess using the same do-while loop as above. Until the user guesses the correct number, the loop continues. Each incorrect guess by the user, increments the variable attempt by 1. This represents the number of attempts done by the user to guess the correct number.

    if(guess < num)

    {

        cout<<"Too Low"<<endl;

        attempt++;        

    }

    if(guess > num)

    {

        cout<<"Too High"<<endl;

        attempt++;          

    }  

The random number generation and the guessing logic is put in a separate method game().

The entry and exit from the game only is put inside the main method.

.the test team devives from the requirements a suiteof:
A.acceptance tests B.regression suite C.buglist D.priority list

Answers

Answer:

A. acceptance tests

Explanation:

In acceptance testing, the system is tested for acceptability to the end user. In order to do this it needs to be validated against the specified requirements. The testing team derives the acceptance tests from the requirement specification.

It generally corresponds to the last phase of testing operations for the system when the system is considered stable enough to be offered to the end user. If the system fails to satisfy the acceptance testing criteria, it needs to go through further rounds of iterative development.

What are the details of frame transmission andreception that LAN interface handles?

Answers

Answer and Explanation:

LAN transmission and reception handles the given bellow details  

LAN adds hardware address and use for error detection codes Use DMA to copy frame data directly from main memoryit follows access rule then transmission is in progressit also check the address where data is sent on incoming frames

if the destination address completely match with location address a copy of the frame is passed to the computer

in LAN system a single pocket is sent to the one or more nodes  

What are the applications of assembly language where any heigher language become insufficient.???

Answers

Answer and Explanation:

we know that high level language gives the best optimized output but its not good as the codes are written in assembly language by human expert if the application is badly constrained in memory and we need fast running then we have to use assembly language directlyif any project is specific to a particular platform and never needs to transfer to any other platform then its better to use assembly language this much better output  

Final answer:

Assembly language is used in domains requiring direct hardware control or optimized performance, such as embedded systems, bootloaders, firmware, and performance-critical applications like game engines or signal processing software.

Explanation:

The applications of assembly language are particularly relevant in scenarios where control over hardware specifics is crucial, or where execution speed and efficiency are of paramount importance. Unlike higher-level languages, assembly language allows programmers to write code that is directly correlated with the machine instructions of the hardware, providing a high level of control and optimization. Some of the applications include writing code for embedded systems, such as microcontrollers in automotive sensors, or when creating bootloader and firmware software that operate at a very low level in the computer hardware. Additionally, critical performance applications which require highly optimized code, such as video game engines or signal processing software, often use assembly language to squeeze out extra performance where higher-level languages might introduce too much overhead.

Which statement correctly tests int variable var to be less than 0 or more than 50?

Answers

Answer:

if-else statement.

Explanation:

if-else is the conditional statement that can be used for checking the condition.

Syntax of if-else statement:

if(condition){

statement;

}else{

statement;

}

if the condition put in the if part is TRUE, then the statement inside the if will execute. if the condition put in the if part is FALSE, then the else part will execute.

In the question for testing the variable var is less than or more than 50, if-else statement is best statement.

We can used like that:

if(var<0 || var>50){

printf("Test pass");

}else{

printf("Test failed");

}

put is a function to __________.

Ex:cout.put(aChar);

A)get one next character from the input stream
B)input one next character to the input stream
C)put one next character to the output stream
D)output one next character from the input stream

Answers

Answer: put one next character to the output stream

Explanation:

put is a member of the output stream class. So using the code cout which means displaying and the put method which places a character to the output stream. It is in use in C++.

what characteristics need to be exhibited by an organisation to improve its software process?

Answers

Answer:  Defined , Controllable ,  Measured , Effective ,  Institutionalized are some of the characteristics needed to be exhibited by an organisation to improve its software process

Explanation:

Software process improvement(SPI)  helps in achieving goals of software products for an organization. Some of its characteristics are Defined , Controllable ,  Measured , Effective ,  Institutionalized.

It goals must be defined, and must also be controlled and it performance must be measured at regular intervals and any reforms carried out to achieve goals must be effective. Lastly it should implement all goals in an institutional framework to be followed by every one in the organization.

What are the disadvantages of having too many featuresin a language?

Answers

Answer:

Disadvantage of having too many features in a language is that:

There are many functions with same name but perform different function or task so it will create an issue or problem. Features do not duplicate one another as, there are different possible syntax for the same meaning. In a mathematical function, sometimes user function and mathematical variable name collide with language base features so it will create problem.

You may nest while and do-while loops, but you may not nest for loops



True False

Answers

Answer:

You may nest while and do-while loops, but you may not nest for loops - False

In an e-credit card transaction the clearinghouse plays the following role:

A. validates and verifies the sellers payment information

B. initiates the transfer of money

C. transfers funds between the sellers bank and the buyers bank

D. all of the above

Answers

Answer:

validates and verifies the seller's payment information- A.

Answer:

Hi Samantha, i have a work with you.

Write a program that takes the radius of a sphere (a floating-point number) as input and then outputs the sphere’s: Diameter (2 × radius) Circumference (diameter × π) Surface area (4 × π × radius × radius) Volume (4/3 × π × radius × radius × radius)

Answers

Final answer:

To calculate the properties of a sphere, such as diameter, circumference, surface area, and volume, we can use a Python program that takes the radius as input and applies mathematical formulae for a sphere.

Explanation:

To create a program that calculates the properties of a sphere, we will use the following formulae for a sphere: diameter is 2 × radius, circumference is diameter × π (pi), surface area is 4 × π × radius², and volume is (4/3) × π × radius³.


Example Code in Python

Here is a simple Python program for calculating the properties of a sphere:

import math
# Input: radius of a sphere
def sphere_properties(radius):
   diameter = 2 * radius
   circumference = diameter * math.pi
   surface_area = 4 * math.pi * radius ** 2
   volume = (4/3) * math.pi * radius ** 3
   return diameter, circumference, surface_area, volume

# Example usage:
radius = float(input("Enter the radius of the sphere: "))
properties = sphere_properties(radius)
print(f"Diameter: {properties[0]}")
print(f"Circumference: {properties[1]}")
print(f"Surface Area: {properties[2]}")
print(f"Volume: {properties[3]}")

This program prompts the user to input the radius as a floating-point number, and then outputs the calculated diameter, circumference, surface area, and volume of the sphere.

___ consists of a central conductor surrounded by a shield (usually a wire braid).

a) twisted pair cable b) coaxial cable c) antenna d) optical fiber

Answers

Answer: Coaxial cable

Explanation:

Coaxial cable consist of an central conductor surrounded by a shielded material in form of an insulating plastic. These cables have a high bandwidth and has a higher speed as compared to twisted cable.

Therefore the answer is coaxial cable.

Write a C++ programthat returns the type of a triangle (scalene, equilateral,or

isosceles). The input tothe program should consist of the lengths of thetriangle's

3 sides.

Answers

Answer:

#include<iostream>

using namespace std;

int main(){

   //initialize

   int a, b,c;

   //print the message

   cout<<"Enter the three sides of the triangle: "<<endl;

   //store in the variables

   cin>>a>>b>>c;

   //if-else statement for checking the conditions  

   if(a == b && b == c && a == c){

       cout<<"\nThe triangle is equilateral";

   }else if(a != b && b != c && a != c ){

       cout<<"\nThe triangle is scalene";

   }else{

       cout<<"\nThe triangle is isosceles";

   }

   return 0;

}

Explanation:

Create the main function and declare the three variables for the length of the sides of the triangle.

print the message on the screen for the user. Then the user enters the values and its store in the variables a, b, and c.

use the if-else statement for checking the conditions.

Equilateral triangle: all sides of the triangle are equal.

if condition true, print the equilateral triangle.

Scalene triangle: all sides of the triangle are not equal.

if condition true, print the Scalene triangle.

if both conditions is not true, then, the program moves to else part and print isosceles.

The ____ is responsible for assigning maintenance tasks to individuals or to a maintenance team.
Answer
user
programmer
systems review committee
system administrator

Answers

Answer:

System Administrator

Explanation:

The System Administrator is responsible for assigning maintenance tasks to individuals or to a maintenance team.

The System Administrator’s role is to manage computer software systems, servers, storage devices  and network connections to ensure high availability and security of the supported business applications.

This  individual also participates in the planning and implementation of policies and procedures to ensure system  provisioning and maintenance that is consistent with company goals, industry best practices, and regulatory requirements.

System administrators may be members of an information technology department.

The duties of a system administrator may vary widely from one organization to another. They may sometimes do scripting and light-programming.

Following are some of the duties done by them:

User administration (setup and maintaining account) Maintaining system Verify that peripherals are working properly Quickly arrange repair for hardware in occasion of hardware failure Monitor system performance Create file systems Install software Create a backup and recover policy Monitor network communication Update system as soon as new version of OS and application software comes out Setup security policies for users. Documentation in form of internal wiki Password and identity management

An initialization expression may be omitted from the for loop if no initialization is required.



True False

Answers

Answer:

True

Explanation:

for loop is used to repeat the process again and again until the condition not failed.

syntax:

for(initialize; condition; increment/decrement)

{

    Statement

}

But we can omit the initialize or condition or increment/decrement as well

the syntax after omit the initialization,

for( ; condition; increment/decrement)

{

    Statement

}

The above for loop is valid, it has no error.

Note: don't remove the semicolon.

You can omit the condition and  increment/decrement.

and place the semicolon as it is. If you remove the semicolon, then the compiler show syntax error.

The ArrayList class ____ method removes an item from an ArrayList at a specified location.

a.
erase

b.
remove

c.
delete

d.
get

Answers

Answer:

remove

Explanation:

The function used to remove the element in the ArrayList at specific index is remove.

Syntax:

remove(int index)

it used index to remove the element.

ArrayList index start from the index zero. So, if the we enter the index 0 it means remove the element at first position.

for example:

array.remove(1);  it remove the element at index 1 from the ArrayList name array.

What are the advantages in implementing a language with apure interpreter?

Answers

Answer:

The advantage of implementing a language with pure interpreter is source level debugging implementation operations are easy in a language with pure interpreter because all run time error messages refers to source level unit.For example-array index out of bound.

____________ is the most general and least usefulperformance metrics for RISC machines
o MIPS

o Instruction Count

o Number of registers

o Clock Speed

Answers

Answer: Instruction count

Explanation: Instruction count is the most general and least useful performance matrix for RISC machine because RISC is known for the reduced set of instruction so indirectly the instructions are less so there is not much requirement of keeping the count of instruction.other features mentioned in the question describes the performance factor of RISC machine and are the major factor behind the working of the RISC machine.

Answer:

Instruction Count

Explanation:

[tex]\text{Performance}=(\frac{\text{Instruction}}{\text{Program}} )\times(\frac{\text{clocks}}{\text{instruction}})\times(\frac{\text{seconds}}{\text{clock}})[/tex]

This is the formula for the Performance of Risc machines,as execution time is a product of three factors that are relatively independent of each other.As we can see that performance is directly related to the Instruction count,Clock speed and Number of registers.  

Instruction count (IC) is the most general and least useful performance metrics : the complete number of executions involving instruction in a program. Repetitive activities like loops and recursions dominate it.

Codio python challenge (max.py)

We will pass in a list of numbers. Your job is to find the largest number in that list and output its index, not the actual value.

Tip: you will need to use a utility variable to store the maximum value and a decision to see if each number is bigger than the current maximum value encounted in previous iterations

import sys

numbers = sys. argv[1]. split(',')

numbers = [int(1) for i in numbers]

#enter code here

Answers

Final answer:

To find the index of the largest number in a list passed as a command line argument in Python, the list must first be correctly parsed and converted to integers. Then, by iterating over this list and comparing each number to a tracked maximum value, the highest value's index can be identified and printed.

Explanation:

The question asks for a solution to find the index of the largest number in a list passed to a Python script. The solution involves iterating over each number in the list, comparing each one to a currently tracked maximum value, and updating this maximum along with its index as the iteration proceeds. It is important to correctly parse the input list from the command line and convert each element to an integer for accurate comparisons. The crucial steps include initializing variables for tracking the maximum value and its index, iterating over the list with enumeration for obtaining both the index and value, and updating the tracking variables as larger numbers are encountered.

Here is a corrected snippet of Python code that achieves the described functionality:

import sys
numbers = sys.argv[1].split(',')
numbers = [int(i) for i in numbers]
max_val = numbers[0]
max_index = 0
for index, num in enumerate(numbers):
   if num > max_val:
       max_val = num
       max_index = index
print(max_index)

This script corrects the line numbers = [int(1) for i in numbers] to numbers = [int(i) for i in numbers], ensuring that the input string is correctly converted to a list of integers. Then, it proceeds to find the index of the largest number by iterating over this list.

Which statement must be included in a program in order touse a deque container?

a. #include vector

b. #include

c. #include container

d. #include deque

Answers

Answer:

d.#include deque

Explanation:

We have to include deque library in order to use a deque container and the syntax to include is #include<deque>.Deque is a double ended queue which is a sequence container and allows operations of contraction and expansion on both ends of the queue.Double ended queues are a special case of simple queue since in simple queue the insertion is from rear end and deletion is from front end but in deque insertion and deletion is possible at both ends rear and front.

The order of the nodes in a linked list is determined by the data value stored in each node.

True

False

Answers

Answer:

False

Explanation:

Linkedlist is a data structure which is used to store the elements in the node.

The node has two store two data.

first element and second pointer which store the address of the next node.

if their is no next node then it store the NULL.

We can store data in randomly. Therefore, the order of node cannot be determine by data values.

we can use pointers for traversing using the loop because only pointer know the address of the next node, and next noe know the address of next to next node and so on...

Therefore, the answer is False.

. The limitingcondition for a list might be the number of elements in thelist.
a. True
b.False

Answers

Answer:

True

Explanation:

Yes, the limiting condition of a linked list is the number of the elements that are present in the list. Consider a linked list contains  'n' number of elements, create an iterator which iterates over all the n elements of the linked list. So , in the limiting condition ( for loops , while loops, do while loops in all the looping conditions in fact in any conditions ) the iterator has to iterate over all the elements present in the linked list. So , the limiting condition is the number of elements in the list.  

The primary characteristic of auctions is that prices are determined dynamically by competitive bidding ( true or false)

Answers

Answer: True

Explanation:

The following statement is false.

Other Questions
A 4:1 scale drawing of a bearing is shown on an A-size print. Using a ruler, you measure the inside diameter of the part on the paper and you get 1.50 inches. What is the actual part size in inches? A. 6.0 B. 1.5 C.4.0 D 375 You can print your report from the _______ tab. A. Create B. File C. Add-ins D. Arrange Box A contained 1.67 kg of flour. Box B contained 8600 g of flour. After same amount offlour was added to each box, Box B contained 4 times as much flour as Box A. How much flour was added to each box? Give your answer in kg. TechWiz Electronics makes a profit of $35 for each MP3 player sold and $18 for each DVD player sold. Last week, TechWiz sold a combined total of 153 MP3 and DVD players. Let x be the number of MP3 players TechWiz sold last week. Write an expression for the combined total profit (in dollars) TechWiz made from MP3 and DVD players last week. For a Saturday matinee, adult tickets cost $4.50 and kids under 12 pay only $2.00. If 100 tickets are sold for a total of $350, how many of the tickets were adult tickets and how many were sold to kids under 12? If the U.S. economy went into a recession next year (where incomes and wealth falls), there would be a(n) ____________________ in the ______________________. A) Increase; quantity of cars demanded. B) Decrease; demand for cars. C) no change; demand for cars. D) rightward shift; demand curve for cars. E) right shift; quantity of cars demanded. Alfredo rodriguez purchases a dvd case for $29.95,a dictionary for $31.50,a paperback book for $9.25, and a magazine for$5.00. what is the total sales tax if he lives in Acme, Washington, where the state tax is 6.5 percent and the city tax is 1.1 percent 18. The table shows the amount of money in a savings account after several weeksWeekSavings$125$140$155$170$185$200a. Is the sequence arithmetic or geometric? Explain. Find the common difference or commonb. Write a recursive formula for the sequencec. Write an explicit formula for the sequence The PTO purchased 6 gallons of ice cream for a party if they served 2/3 cup to each student how many student will be served ice cream?Please answer fast You are alone and have identified a child choose not responsive. You call 911 and I giving chest compressions when is the next up Ana (1) es esto? (2) dinero gastaste en ese vestido de fiesta? A (3) tienda fuiste? A la ms costosa, como siempre. (4) veces te he dicho (have I told you) que (5) necesites comprar ropa me digas. Yo conozco unas tiendas muy baratas en el centro de la ciudad. Bueno..., (6) es el programa para esta noche? Vamos al cumpleaos de Diego o salimos a comer a un restaurante? La verdad yo prefiero ir a un restaurante pero no s (7) restaurante te gusta. (8) es tu comida preferida? Te doy unos minutos para que lo pienses. A 20 m high filled water tank develops a 0.50 cm hole in the vertical wall near the base. With what speed does the water shoot out of the hole? a) 30 m/sb)15 m/sc) 25m/sd) 20 m/s A solution is prepared by dissolving 6.00 g of an unknown nonelectrolyte in enough water to make 1.00 L of solution. The osmotic pressure of this solution is 0.750 atm at 25.0C. What is the molecular weight (g/mol) of the unknown solute? g Use complete sentence to describe the net of a rectangular pyramid Identified limitations to the design of a product or system are the _________________. Trade-offs Efficiency Criteria Constraints What is the measure of Why is a Screw Pump a quiet operating pump? What is the meaning of the following suffix:a. -omab. -phagiac. -phasiad. -logye. -algiaf. -phobia 23.2.7 Quiz: Analyze Themes and Their UsesQuestion 3 of 102 PointsWhat was the greatest challenge the audience for Roosevelt's Four Freedomsspeech presented?OA. They were already too involved in the war.OB. They had many different opinions about the war.OC. They had already spent too much money on the war.OD. They didn't understand the realities of war. True/False: When you make a function call, the order of the arguments you send does not matter as long as the number of arguments matches the number of parameters the function has. True False