Answers

Answer 1

Answer:

the answer is "Learning to lead in a technical word".

Explanation:


Related Questions

Problem 8 - Recursive Divisible by 3 and 5 Complete the divBy3And5 function which accepts a list of integers. The function should recursively determine how many numbers in the list are divisible by 3 and how many are divisible by 5 and return these counts as a two-element tuple. Your solution MUST BE RECURSIVE and you MAY NOT USE LOOPS. You MAY NOT DEFINE A RECURSIVE HELPER FUNCTION.

Answers

The recursive function divBy3And5 is defined in Python and is found in the attached image.

In the base case, the function divBy3And5 tests if the input list is empty. If so, the tuple returned is \((0, 0)\). This means no numbers are divisible by three and no numbers are divisible by five.

The recursive step gets the first element of the list and

If divisible by 3, it sets count_of_3 to 1, else it leaves it as 0If divisible by 5, it sets count_of_5 to 1, else it leaves it as 0

It then makes a recursive call on the remaining elements, and stores it in a variable as follows

   divBy3And5_for_remaining_elem = divBy3And5(remaining_elements)

Then, it returns the tuple

       (divBy3And5_for_remaining_elem[0] + count_of_3,

                divBy3And5_for_remaining_elem[1] + count_of_5)

Learn more about recursion in Python: https://brainly.com/question/19295093

Problem 8 - Recursive Divisible by 3 and 5 Complete the divBy3And5 function which accepts a list of integers.

Which of the following statements is a possible explanation for why open source software (OSS) is free? A. OSS makes money by charging certain large corporations for licenses. B. OSS is typically lower quality than proprietary software. C. The OSS movement wants to encourage anyone to make improvements to the software and learn from its code. D. The OSS movement is funded by a private donor so it does not need to charge for its software licenses.

Answers

The statement that represents a possible explanation for why open-source software (OSS) is free is as follows:

The OSS movement is funded by a private donor so it does not need to charge for its software licenses.

Thus, the correct option for this question is D.

What is open-source software?

Free and open-source software (FOSS) is a term used to refer to groups of software consisting of both free software and open-source software where anyone is freely licensed to use, copy, study, and change the software in any way, and the source code is openly shared so that people are encouraged to voluntarily improve.

Open-source software (OSS) is computer software that is released under a license in which the copyright holder grants users the rights to use, study, change, and be marked by the user for a specific purpose in order to perform particular functions.

Therefore, the correct option for this question is D.

To learn more about Open-source software, refer to the link:

https://brainly.com/question/15039221

#SPJ1

What do you do when you have computer problems? Check all that apply.

Answers

Answer:

These are the main things to do

Run a thorough virus scan.

Update your software.

Cut down on the bloat.

Test your Wi-Fi connection.

Reinstall the operating system.

(I can't see the answer it has for you so I'm not sure if these are apart of your answer or not)

Explanation:

Answer:

you might have to try all available options

Write the recurrence relation of the following recursive algorithm. What is the complexity
of the algorithm?
int Test(int n)
int result;
begin
if (n==1) return (1);
result = 1;
for i=1 to n do
result = result + Test(i-1);
return (result);
end

Answers

Answer:

The recurrence relation of the given recursive algorithm can be written as:T(n) = T(n-1) + 1 + T(n-2) + 1 + T(n-3) + 1 + ... + T(1) + 1where T(1) = 1The first term T(n-1) represents the recursive call of the function with input n-1, and the for loop executes n times, where for each i, it calls Test function with input i-1.To find the time complexity, we can expand the recurrence relation as follows:T(n) = T(n-1) + 1 + T(n-2) + 1 + T(n-3) + 1 + ... + T(1) + 1

= [T(n-2) + 1 + T(n-3) + 1 + ... + T(1) + 1] + 1 + [T(n-3) + 1 + T(n-4) + 1 + ... + T(1) + 1] + 1 + ...

= [T(n-2) + T(n-3) + ... + T(1) + (n-2)] + [T(n-3) + T(n-4) + ... + T(1) + (n-3)] + ...

= (1 + 2 + ... + n-1) + [T(1) + T(2) + ... + T(n-2)]

= (n-1)(n-2)/2 + T(n-1)Therefore, the time complexity of the algorithm can be written as O(n^2), because the first term is equivalent to the sum of the first n-1 integers, which is of order O(n^2), and the second term is T(n-1).

How should you present yourself online?

a
Don't think before you share or like something
b
Argue with other people online
c
Think before you post
d
Tag people in photos they may not like

hurry no scammers

Answers

C maybe ......,,,,.....

Answer: C) Think before you post.

Explanation:

There's a very good chance that whatever you post online will remain there indefinitely. So it's best to think about what would happen if you were to post a certain message on a public place. Keep in mind that you should also safeguard against your privacy as well.

find four
reasons
Why must shutdown the system following the normal sequence

Answers

If you have a problem with a server and you want to bring the system down so that you could then reseat the card before restarting it, you can use this command, it will shut down the system in an orderly manner.

"init 0" command completely shuts down the system in an order manner

init is the first process to start when a computer boots up and keep running until the system ends. It is the root of all other processes.

İnit command is used in different runlevels, which extend from 0 through 6. "init 0" is used to halt the system, basically init 0

shuts down the system before safely turning power off.

stops system services and daemons.

terminates all running processes.

Unmounts all file systems.

Learn more about  server on:

https://brainly.com/question/29888289

#SPJ1

The 1D array CustomerName[] contains the names of customers in buying electronics at a huge discount
in the Ramadan Sales. The 2D array ItemCost[] contains the price of each item purchased, by each
customer. The position of each customer’s purchases in the two array is the same, for example, the
customer in position 5 in CustomerName[] and ItemCost[] is the same. The variable Customers
contains the number of customers who have shopped. The variable Items contains the number of items
each customer bought. All customers bought the same number of products with the rules of the sale
dictating they must buy 3 items with a minimum spend of 1000AED. The arrays and variables have
already been set up and the data stored.
Write a function that meets the following requirements:
• calculates the combined total for each customer for all items purchased
• Stores totals in a separate 1D array
• checks to make sure that all totals are at least 1000AED
• outputs for each customer: – name – combined total cost – average money spent per product
You must use pseudocode or program code and add comments to explain how your code works. You do
not need to initialise the data in the array.

Answers

Here's a Python code that meets the requirements you mentioned:

python

Copy code

def calculate_totals(CustomerName, ItemCost, Customers, Items):

   # Create an empty array to store the totals for each customer

   total_cost = []

   # Iterate over each customer

   for i in range(Customers):

       # Get the start and end indices of the items for the current customer

       start_index = i * Items

       end_index = start_index + Items

       # Calculate the total cost for the current customer

       customer_total = sum(ItemCost[start_index:end_index])

       # Check if the total cost is at least 1000AED

       if customer_total < 1000:

           print("Total cost for customer", CustomerName[i], "is less than 1000AED.")

       # Calculate the average money spent per product

       average_cost = customer_total / Items

       # Add the customer's total cost to the array

       total_cost.append(customer_total)

       # Print the customer's name, total cost, and average money spent per product

       print("Customer:", CustomerName[i])

       print("Total Cost:", customer_total)

       print("Average Cost per Product:", average_cost)

       print()

   # Return the array of total costs for each customer

   return total_cost

# Example usage:

CustomerName = ["John", "Mary", "David", "Sarah"]

ItemCost = [200, 300, 400, 500, 600, 700, 800, 900, 1000, 1100, 1200, 1300]

Customers = 4

Items = 3

calculate_totals(CustomerName, ItemCost, Customers, Items)

This code takes the CustomerName array and ItemCost array as inputs, along with the number of customers Customers and the number of items per customer Items. It calculates the total cost for each customer, checks if the total is at least 1000AED, calculates the average cost per product, and prints the results for each customer. The totals are stored in the total_cost array, which is then returned by the function.

Learn more about python on:

https://brainly.com/question/30391554

#SPJ1

A Quicksort (or Partition Exchange Sort) divides the data into 2 partitions separated by a pivot. The first partition contains all the items which are smaller than the pivot. The remaining items are in the other partition. You will write four versions of Quicksort:
• Select the first item of the partition as the pivot. Treat partitions of size one and two as stopping cases.
• Same pivot selection. For a partition of size 100 or less, use an insertion sort to finish.
• Same pivot selection. For a partition of size 50 or less, use an insertion sort to finish.
• Select the median-of-three as the pivot. Treat partitions of size one and two as stopping cases.
As time permits consider examining additional, alternate methods of selecting the pivot for Quicksort.

Merge Sort is a useful sort to know if you are doing External Sorting. The need for this will increase as data sizes increase. The traditional Merge Sort requires double space. To eliminate this issue, you are to implement Natural Merge using a linked implementation. In your analysis be sure to compare to the effect of using a straight Merge Sort instead.

Create input files of four sizes: 50, 1000, 2000, 5000 and 10000 integers. For each size file make 3 versions. On the first use a randomly ordered data set. On the second use the integers in reverse order. On the third use the
integers in normal ascending order. (You may use a random number generator to create the randomly ordered file, but it is important to limit the duplicates to <1%. Alternatively, you may write a shuffle function to randomize one of your ordered files.) This means you have an input set of 15 files plus whatever you deem necessary and reasonable. Files are available in the Blackboard shell, if you want to copy them. Your data should be formatted so that each number is on a separate line with no leading blanks. There should be no blank lines in the file. Even though you are limiting the occurrence of duplicates, your sorts must be able to handle duplicate data.

Each sort must be run against all the input files. With five sorts and 15 input sets, you will have 75 required runs.

The size 50 files are for the purpose of showing the sorting is correct. Your code needs to print out the comparisons and exchanges (see below) and the sorted values. You must submit the input and output files for all orders of size 50, for all sorts. There should be 15 output files here.

The larger sizes of input are used to demonstrate the asymptotic cost. To demonstrate the asymptotic cost you will need to count comparisons and exchanges for each sort. For these files at the end of each run you need to print the number of comparisons and the number of exchanges but not the sorted data. It is to your advantage to add larger files or additional random files to the input - perhaps with 15-20% duplicates. You may find it interesting to time the runs, but this should be in addition to counting comparisons and exchanges.

Turn in an analysis comparing the two sorts and their performance. Be sure to comment on the relative numbers of exchanges and comparison in the various runs, the effect of the order of the data, the effect of different size files, the effect of different partition sizes and pivot selection methods for Quicksort, and the effect of using a Natural Merge Sort. Which factor has the most effect on the efficiency? Be sure to consider both time and space efficiency. Be sure to justify your data structures. Your analysis must include a table of the comparisons and exchanges observed and a graph of the asymptotic costs that you observed compared to the theoretical cost. Be sure to justify your choice of iteration versus recursion. Consider how your code would have differed if you had made the other choice.

Answers

The necessary conditions and procedures needed to accomplish this assignment is given below. Quicksort is an algorithm used to sort data in a fast and efficient manner.

What is the Quicksort?

Some rules to follow in the above work are:

A)Choose the initial element of the partition as the pivot.

b) Utilize the same method to select the pivot, but switch to insertion sort as the concluding step for partitions that contain 100 or fewer elements.

Lastly,  Utilize the same method of pivot selection, but choose insertion sort for partitions that are of a size equal to or lesser than 50 in order to accomplish the task.

Learn more about Quicksort  from

https://brainly.com/question/29981648

#SPJ1

4) Create a Java application that calculates a restaurant bill
from the prices of the appetizers, main course and
desert. The program should calculate the total price of
the meal, the tax (6.75% of the price), and the tip (15%
of the total after adding the tax). Display the meal total,
tax amount, tip amount, and the total bill.

Answers

Here's an example of a Java program that calculates a restaurant bill:

The Java Program

public class RestaurantBill {

   public static void main(String[] args) {

       Scanner input = new Scanner(System.in);

       DecimalFormat = new DecimalFormat("#.00");

       System.out.print("Enter the price of the appetizers: $");

       double appetizers = input.nextDouble();

       System.out.print("Enter the price of the main course: $");

       double mainCourse = input.nextDouble();

       System.out.print("Enter the price of the desert: $");

       double desert = input.nextDouble();

       double mealTotal = appetizers + mainCourse + desert;

       double taxAmount = mealTotal * 0.0675;

       double tipAmount = (mealTotal + taxAmount) * 0.15;

       double totalBill = mealTotal + taxAmount + tipAmount;

       System.out.println("Meal Total: $" + .format(mealTotal));

       System.out.println("Tax Amount: $" + .format(taxAmount));

       System.out.println("Tip Amount: $" + .format(tipAmount));

       System.out.println("Total Bill: $" + .format(totalBill));

   }

}

In this program, we use Scanner to take inputs from the user for the prices of the appetizers, main course, and dessert. The DecimalFormat class is used to format the output to have 2 decimal places.

Read more about java here:

https://brainly.com/question/18554491

#SPJ1

Starting a corporation is ________.
DIFFICULT
FAIRLY SIMPLE
ALWAYS NON-PROFIT

Answers

Starting a corporation is FAIRLY SIMPLE. (Option B). This is because there is such a vast amount of information and paid guidance that is available to those who want to start a corporation.

What is a corporation?

A corporation is an organization—usually a collection of individuals or a business—that has been permitted by the state to function as a single entity and is legally recognized as such for certain purposes.

Charters were used to form early incorporated companies. The majority of governments currently permit the formation of new companies through registration.

It should be emphasized that examples of well-known corporations include Apple Inc., Walmart Inc., and Microsoft Corporation.

Learn more about Corporation:
https://brainly.com/question/13551671
#SPJ1

list four reasons why technology is important​

Answers

Answer:

its help comunicate with other out of reach in person you can learn from it esiear for students to find information on technolongy than in a textbook it has designed buildings and ect.

Explanation:

it is a big part of my life

You are given an array of integers, each with an unknown number of digits. You are also told the total number of digits of all the integers in the array is n. Provide an algorithm that will sort the array in O(n) time no matter how the digits are distributed among the elements in the array. (e.g. there might be one element with n digits, or n/2 elements with 2 digits, or the elements might be of all different lengths, etc. Be sure to justify in detail the run time of your algorithm.

Answers

Answer:

Explanation:

Since all of the items in the array would be integers sorting them would not be a problem regardless of the difference in integers. O(n) time would be impossible unless the array is already sorted, otherwise, the best runtime we can hope for would be such a method like the one below with a runtime of O(n^2)

static void sortingMethod(int arr[], int n)  

   {  

       int x, y, temp;  

       boolean swapped;  

       for (x = 0; x < n - 1; x++)  

       {  

           swapped = false;  

           for (y = 0; y < n - x - 1; y++)  

           {  

               if (arr[y] > arr[y + 1])  

               {  

                   temp = arr[y];  

                   arr[y] = arr[y + 1];  

                   arr[y + 1] = temp;  

                   swapped = true;  

               }  

           }  

           if (swapped == false)  

               break;  

       }  

   }

explain mportance of using Microsoft Excel in pharmaceutical science​

Answers

Answer:

research the question and go to setting and press advanced search and it will give answer

Messages that have been accessed or viewed in the Reading pane are automatically marked in Outlook and the message subject is no longer in bold. How does a user go about marking the subject in bold again?

Mark as Read
Flag the Item for follow-up
Assign a Category
Mark as Unread

Answers

Answer:

Mark as Unread

Explanation:

I just know

Answer:

D. Mark as Unread

Explanation:

Edg. 2021

Which of the following is part of a network's physical topology?
a. A network server's operating system
b. A printer plugged into a nearby desktop computer
c. File permission settings on a desktop computer
d. Password for the wireless network

Answers

Note that the option that is a part of a network's physical topology is; A printer plugged into a nearby desktop computer (Option B)

What is a network's Physical Topology?

Physical network topology is the arrangement of a network's many components, with distinct connections representing physical network cables and nodes representing physical network devices (like switches).

The linked structure of a local area network is referred to as its physical topology (LAN). The physical topology is defined by the method used to link the physical devices on the network via cables, as well as the type of cabling utilized.

Learn more about Network Topology:
https://brainly.com/question/17036446
#SPJ1

Write a program that lets the user enter the total rainfall for each of 12 months into an array of doubles. The program should calculate and display the total rainfall for the year and the average monthly rainfall. Use bubble sort and sort the months with the lowest to highest rain amounts. Use the binary search and search for a specific rain amount. If the rain amount is found, display a message showing which month had that rain amount. Input Validation: Do not accept negative numbers for monthly rainfall figures.

Answers

Answer:

Program approach:-

Using the header file.Using the standard namespace I/O.Define the main function.Check whether entered the value is negative.Find the middle position of the array.Display message if value not found.Returning the value.

Explanation:

Program:-

//required headers

#include <stdio.h>

#include<iostream>

using namespace std;

//main function

int main()

{   double rain[12], temp_rain[12], sum=0, avg=0, temp;

   int month=0, i, j, n=12, low=0, mid=0, high=12, x, found=0;

   char month_name[][12]={"January", "February", "March", "April", "May", "June",

   "July", "August", "September", "October", "November", "December"};

 

   //store input values to arrays rain and temp_rain

   while(month<n)

   {   cout<<"Enter the total rainfall for month "<<month+1<<" :";

       cin>>temp;

     

       //check whether the entered value is negative

       if(temp<0)

       {   cout<<"Enter a non negative value"<<endl;

       }

     

       else

       {   rain[month]=temp;

           temp_rain[month]=temp;

         

           //total sum is found out and stored to sum

           sum+=temp;

           month++;

       }

   }

 

   //find average rainfall

   avg=sum/n;

 

   //display total and average rainfall for the year

   cout<<"Total rainfall for the year: "<<sum<<endl;

   cout<<"Average rainfall for the year: "<<avg<<endl;

 

   //perform bubble sort on temp_rain array

   for(i=0; i<n-1; i++)    

   {   for (j=0; j<n-i-1; j++)

       {   if (temp_rain[j]>temp_rain[j+1])

           {

               temp=rain[j];

               temp_rain[j]=temp_rain[j+1];

               temp_rain[j+1]=temp;

           }

       }

   }

   //get search value and store it to x

   cout<<"Enter the value to search for a specific rain amount: ";

   cin>>x;

   //perform binary search on temp_rain array

   while (low<=high)

  {

      //find the middle position of the array

      int mid=(low+high)/2;

      //if a match is found, set found=1

      if(x==temp_rain[mid])

      {   found=1;

          break;

      }

       //ignore right half if search item is less than the middle value of the array

      else if(x<temp_rain[mid])

          high=mid-1;

       //ignore left half if search item is higher than the middle value of the array

      else

          low=mid+1;

  }

 

   //if a match is found, then display the month for the found value

   if(found==1)

   {

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

       {   if(x==rain[i])

               cout<<"Found matching rainfall for this month: "<<month_name[i];

         

       }

     

   }

 

   //display message if value not found

   else

       cout<<"Value not found.";

 

   return 0;

}

you work at a computer repair store. you have just upgraded the processor (cpu) in a customer's windows-based computer. the customer purchased the latest amd ryzen processor, and you installed it in the computer. but when you power the computer on, you only see a blank screen. which of the following is most likely causing the computer to display the blank screen? (select two.)

Answers

According to the information in the question, a faulty CPU is the most likely reason for the computer to shut down automatically.

What is CPU?

The electronic equipment that carries out the instructions included in a computer program is known as a central processing unit (CPU), sometimes known as a central processor, main processor, or simply processor.

The CPU executes fundamental mathematical, logical, controlling, and input/output (I/O) activities as directed by the program's instructions.

In contrast, specialized processors like graphics processing units and external components like main memory and I/O circuitry (GPUs).

Although CPUs' shape, design, and implementation have evolved throughout time, their basic function has remained mostly same.

The arithmetic-logic unit (ALU), which executes arithmetic and logic operations, processor registers, which provide operands to the ALU and store the results of ALU operations, and a control unit, which coordinates fetching (from memory), decoding, and other activities, are the main parts of a CPU.

Hence, According to the information in the question, a faulty CPU is the most likely reason for the computer to shut down automatically.

learn more about CPU click here:

https://brainly.com/question/26991245

#SPJ4

5. What are Excel cell references by default?
Relative references
Absolute references
Mixed references
Cell references must be assigned

Answers

Answer: relative references

Explanation:

By default, all cell references are RELATIVE REFERENCES. When copied across multiple cells, they change based on the relative position of rows and columns. For example, if you copy the formula =A1+B1 from row 1 to row 2, the formula will become =A2+B2.

I want to solve this question in C program, Please.

I want to solve this question in C program, Please.

Answers

Answer:

#include <stdio.h>

#include <math.h>

int is_armstrong(int n) {

int cubedSum = 0;

int r = n;

while (r) {

         cubedSum += (int)pow(r % 10, 3);

          r = r / 10;

}

return cubedSum == n;

}

int stack_count(int n) {

int sum = 0;

while (n) {

         sum += n % 10;

         n = n / 10;

}

return sum;

}

int is_magical(int n) {

while (n > 9) {  

 n = stack_count(n);

 printf("%d ", n);

}

return n == 1;

}

int main()

{

int input = 0;

int isMagical, isArmstrong;

while (true) {

 printf("Enter a number: ");

 scanf_s("%d", &input, sizeof(int));

 if (input == -1) break;

 isArmstrong = is_armstrong(input);

 isMagical = is_magical(input);  

 if (isArmstrong && isMagical) {

  printf("%d is both an armstrong and a magical number.\n", input);

 } else if (isArmstrong) {

  printf("%d is an armstrong number\n", input);

 } else if (isMagical) {

  printf("%d is a magical number\n", input);

 } else {

  printf("%d is neither an armstrong or a magical number.\n", input);

 }

}

}

Explanation:

Here is a starting point. What's the definition of a magical number?

Type the correct answer in the box. Spell all words correctly.
Julio Is a manager in an MNC. He has to make a presentation to his team regarding the life cycle of the current project. The life cycle should
follow a specific sequence of steps. Which style of presentation is best suited for Julio's purpose?
Jullo should make a presentation
Reset
Next
s reserved.

Answers

Answer:

Julio is a manager at an MNC. He has to make a presentation to his team regarding the life cycle of the current project. The life cycle should follow a specific sequence of steps. Which style of presentation is best suited for Julio's purpose? Jullo should give a speech.

Explanation:

Answer: linear

Explanation:

Just got it right.  Linear presentations are sequential.

Write code to take a String input from the user, then print the first and last letters of the string on one line. Sample run: Enter a string: surcharge se Hint - we saw in the lesson how to get the first letter of a string using the substring method. Think how you could use the .length() String method to find the index of the last character, and how you could use this index in the substring method to get the last character.

Answers

Answer:

//import the Scanner class to allow for user input

import java.util.Scanner;

//Begin class definition

public class FirstAndLast{

   //Begin the main method

    public static void main(String []args){

       

       

       //****create an object of the Scanner class.

       //Call the object 'input' to receive user's input

       //from the console.

       Scanner input = new Scanner(System.in);

       

       //****create a prompt to tell the user what to do.

       System.out.println("Enter the string");

       

       //****receive the user's input

       //And store it in a String variable called 'str'

       String str =  input.next();

       

       //****get and print the first character.

       //substring(0, 1) - means get all the characters starting

       //from the lower bound (index 0) up to, but not including the upper

       //bound(index 1).

       //That technically means the first character.

       System.out.print(str.substring(0,1));

       

       //****get and print the last character

       //1. str.length() will return the number of character in the string 'str'.

       //This is also the length of the string

       //2. substring(str.length() - 1) - means get all the characters starting

       // from index that is one less than the length of the string to the last

       // index (since an upper bound is not specified).

       // This technically means the last character.

       System.out.print(str.substring(str.length()-1));

       

       

       

    }  // end of main method

   

} //end of class definition

Explanation:

The code has been written in Java and it contains comments explaining important parts of the code. Kindly go through the comments.

The source code and a sample output have also been attached to this response.

To run this program, copy the code in the source code inside a Java IDE or editor and save it as FirstAndLast.java

Write code to take a String input from the user, then print the first and last letters of the string

Briefly discuss what is the basic architecture of a computer system?

Answers

Answer:

From strictly a hardware aspect;

Explanation:

The basic architecture of a computer is the case (otherwise known as tower), the motherboard, and power supply unit. The case is used to house all of the necessary parts for the computer function properly. The motherboard will serve as the bridge between all other connections, and the power supply unit will deliver capable power to the rest of the system.

it is the process of combining the main document with the data source so that letters to different recipients can be sent​

Answers

The mail merge is  the process of combining the main document with the data source so that letters to different recipients can be sent​.

Why is mail merge important?

Mail merge allows you to produce a batch of customised documents for each recipient.

A standard letter, for example, might be customized to address each recipient by name.

The document is linked to a data source, such as a list, spreadsheet, or database.

Note that Mail merge was invented in the 1980s, specifically in 1984, by Jerome Perkel and Mark Perkins at Raytheon Corporation.

Learn more about mail merge at:

https://brainly.com/question/20904639

#SPJ1

Briefly explain the conceptual model effective computer based instruction for adults out lining the three units ( output, process and input)

Answers

Based on computer impacts analysis, the conceptual model effective computer-based instruction for adults is the process of uniting various vital parts of computer-based instruction to deliver a well-desired structure for researching CBI for adults.

The Three units of CBIOutputLearning Outcome

Process External supportCBI DesignInstructional strategy design

InputSelf-directednessComputer self-efficacyLearning goal level

Hence, in this case, it is concluded that the conceptual model of CBI is a proper way to provide instruction for adults.

Learn more about the computer-based instruction here: https://brainly.com/question/15697793

Does anyone here use or know of a voice/audio recording tool?

I have a friend who uses a voice/audio recording tool (https://tuttu.io/) to make teaching and learning more interactive and engaging for everyone.

The teachers use the recordings either to add to homework/assignments using their QR code feature, or to give feedback to students. It also makes it easier and clearer when given more contextual audio.

Thanks!

Answers

Numerous tools exist that facilitate voice and audio recording, for instance, Audacity, GarageBand, and Voice Memos, alongside QuickTime Player.

What are alternative tools you can use?

Furthermore, apart from Tuttu . io, which you referenced previously, several comparable tools are present for the purpose of not only recording but also editing and distributing audio files online.

Anchor, Spreaker, as well as Sound Cloud serve as a few illustrations here. Given the vast selection available, an individual's personal preferences and needs wholly influence their choice of tool.

Read more about audio tool here:

https://brainly.com/question/23572698

#SPJ1

Help pls....
I need some TYPES
and some KINDS
of computers​

Answers

Answer:

Mainframe Computer. It is high capacity and costly computer.

Super Computer. This category of computer is the fastest and also very expensive.

Workstation Computer. The computer of this category is a high-end and expensive one.

Personal Computer (PC)

Apple Macintosh (Mac)

Laptop computer (notebook)

Tablet and Smartphone

Explanation:

A crohomebook
Hp
Apple Mac book

A developer wants to take existing code written by another person and add some features specific to their needs. Which of the following software licensing models allows them to make changes and publish their own version?


Open-source


Proprietary


Subscription


Software-as-a-Service (SaaS)

Answers

Answer:

open-source

Explanation:

open-souce software allows any user to submit modifications of the source code

Write a Java application that reads three integers from the user using a Scanner. Then, create separate functions to calculate the sum, product and average of the numbers, and displays them from main. (Use each functions' 'return' to return their respective values.) Use the following sample code as a guide.

Answers

Answer:

import java.util.Scanner;

public class Main

{

public static void main(String[] args) {

    Scanner input = new Scanner(System.in);

   

 System.out.print("Enter a number: ");

 int n1 = input.nextInt();

 System.out.print("Enter a number: ");

 int n2 = input.nextInt();

 System.out.print("Enter a number: ");

 int n3 = input.nextInt();

 

 System.out.println("The sum is: " + calculateSum(n1, n2, n3));

 System.out.println("The product is: " + calculateProduct(n1, n2, n3));

 System.out.println("The average is: " + calculateAverage(n1, n2, n3));

}

public static int calculateSum(int n1, int n2, int n3){

    return n1 + n2 + n3;

}

public static int calculateProduct(int n1, int n2, int n3){

    return n1 * n2 * n3;

}

public static double calculateAverage(int n1, int n2, int n3){

    return (n1 + n2 + n3) / 3.0;

}

}

Explanation:

In the main:

Ask the user to enter the numbers using Scanner

Call the functions with these three numbers and display results

In the calculateSum function, calculate and return the sum of the numbers

In the calculateProduct function, calculate and return the product of the numbers

In the calculateAverage function, calculate and return the average of the numbers

numPeople is read from input as the size of the vector. Then, numPeople elements are read from input into the vector runningListings. Use a loop to access each element in the vector and if the element is equal to 3, output the element followed by a newline.

Ex: If the input is 7 193 3 18 116 3 3 79, then the output is:

3
3
3

Answers

Using a loop to access each element in the vector and if the element is equal to 3, is in explanation part.

Here's the Python code to implement the given task:

```

numPeople = int(input())

runningListings = []

for i in range(numPeople):

   runningListings.append(int(input()))

for listing in runningListings:

   if listing == 3:

       print(listing)

```

Here's how the code works:

The first input specifies the size of the vector, which is stored in the variable `numPeople`.A `for` loop is used to read `numPeople` elements from input and store them in the vector `runningListings`.Another `for` loop is used to iterate through each element in `runningListings`.For each element, if it is equal to 3, it is printed to the console followed by a newline.

Thus, this can be the program for the given scenario.

For more details regarding programming, visit:

https://brainly.com/question/14368396

#SPJ1

A beaker contains 0.710 L of water. What is the volume of this water in milliliters?

Answers

Answer: 710 mL

Explanation: Normally if it asks for mili... then you would multiply by 1000.

Other Questions
A model of a tree is 4 in tall. The actual tree is 36 ft. Find the scale of the model in simplest form using a:b form. Which three groups of sentences best use a variety of sentence patterns to convey meaning and the relationship between ideas?Select three.A long time ago, my friend brought me to the sea to watch the sunset. The spot was so gorgeous that I return sometimes.Ages ago, my friend showed me a gorgeous spot from which to watch sunsets by the sea. I go back occasionally.My friend showed me a place to watch the sunset. It was near the sea. That was a long time ago. I go back sometimes.Five years ago, my friend took me to a lookout by the sea, where we watch the sunset. I go back, sometimes, because of you is so gorgeous. True or false with justification, use graphical argument as appropriate. (It is not sufficient to state whether the statement is true or false, or even to correct it if it is false, in all cases you must jusaify your answer.)A firm with a production function given by $Y=\operatorname{man}[3 x, y]$, where $x$ and $y$ are two factors of production, faces factor prices of $x=2$ and of $y=3$, ls average cost of production is oqual to $11 / 3$2. A competitive profit has a profit maximizing plan only if its technology exhibits decreasing returns to scale.The production function $f(x, y)-x^{23}+y^{33}$ bas increasing returns to scale. #20, what is this answer ? when the length of a rectangle is increased by and the width increased by , by what percent is the area increased? Question:Heather and Joel are going on a camping trip and are trying to determine how much water to buy and bring with them.A. They decide to record how much water they drink in one day. What is the appropriate unit of measure to use?B. Say that they each drink eight 8 ounce glasses of water a day. If they are going to be gone for four days, how many gallonsof water should they buy?C. They bought 4.5 gallons of water and left it on the picnic table while they went on a hike. The raccoons busted in anddrank 7 quarts of water on the first day. How many full gallons do they need to replace if they want to have exactly enoughfor the next three days. Will they have any exda? If so, how much? when he reaches home his sisters his mother and his wife son for a long time at the slight of his flat sleeve in an episode of war by stephan crane what does the lieutenants sleeve represent HELP ME!! THIS IS DUE SOON In a short 3-5 sentence paragraph, describe three ways that problems firstexperienced by people during the Industrial Revolution are still being dealt withby people today. You could consider social, economic, environmental, andcultural factors as you form you answer. Why do certain words change color in Python?To show that they are recognized as key wordsTo tell you that these words cannot be used in Python codeTo show you that these words can be clickedTo tell Python to skip these words when running the code use the following equation to answer the question.If only 3100 grams of CO2 are produced, what is the percent error of this reaction? heather just failed her sculpting class. from this failure heather concludes it was her fault, she has no talent, and she will always do poorly in sculpting. what is heather displaying? Can someone help me write a letter as if I were an indentured servant writing to a family member about how my life would be?Please :) 6) Vctor se dedica a la exportacin de caf y suganancia es de S/ 56 490 en un ao. Si su vecinaAndrea logra aumentar su ganancia en Sl 9320,obtendr tanto como Vctor. Cunto gana Andrea?a. Encierra los datos del problema.b. Elabora un esquema y resuelve el problema. What must EMS providers do in order to prepare for the next call? What is the value of radius? ames needs to make a total of 50 deliveries this week. so far he has completed 32 of them. what percentage of the total deliveries has lamar completed? brian is developing continuity plan provisions and processes for his organization. what resource should he protect as the highest priority in those plans? I need help with this question Gianni fell asleep at 11:32 p.m. He woke up at 7:45 a.m. How long did Gianni sleep?