Assignment 3: Transaction Logger
Learning Outcomes
1. Utilize modules to Read and Write from CSV Files.
2. Develop a module to utilize in another python file.
3. Implement functions to perform basic functionality.
Program Overview
Throughout the Software Development Life Cycle (SDLC) it is common to add upgrades over
time to a code file. As we add code our files become very large, less organized, and more
difficult to maintain. We have been adding upgrades for our Bank client. They have requested the addition of the ability to log all transactions for record keeping. They require a Comma
Separated Values (.csv) file format to aid in the quick creation of reports and record keeping.
The log will be used to verify transactions are accurate. The transaction logger code will be
placed in a separate python module to avoid increasing the size of our existing code. We will
also make use of the time module to timestamp all transactions.
Instructions & Requirements
• Create a PyCharm Project using standard naming convention.
• Use your PE5 file as the starting point and download the customers.json file from
Canvas.
• Rename your asurite_transaction5.py to [ASUrite]_a3transaction.py in your project
folder.
Create a new python module/file and name it [ASUrite]_logger.py.
Important Note: Before you start, make sure your PE5 transaction.py file works!
Open and develop code in the new [ASUrite]_logger python module as follows:
1) Import csv to allow the functions defined in this file access to the functions needed to write to a CSV file.
2) Define a function log_transactions( ) that accepts a data structure containing all
transactions made during the execution of the application and writes the entire data
structure to a csv file. Review CSV video lectures for ideas of a data structure used
with the csv module. This function returns nothing.
Revised by Elva Lin
3) Move the create_pin( ) function we created in PE5 to the new
[ASUrite]_logger.py file
4) (Optional) Define a function format_money( ) that accepts a decimal value and
formats it as a dollar amount adding a dollar sign, commas, and 2 decimal places.
ex. $ 15,190.77 Return the formatted dollar amount.
Modify and enhance the [ASUrite]_a3transaction.py module as follows:
5) Import your newly created logger module developed above and time. The time
module has within it a function ctime() function that returns the current time:
time.ctime(). Print it in a console to become familiar with it.

Answers

Answer 1

The assignment requires the development of a transaction logger for a bank client. The logger should write transaction data to a CSV file, and the code will be placed in a separate Python module. Additionally, the existing code needs to be modified to import the logger module and the time module for timestamping transactions.

The assignment focuses on creating a separate Python module, named "[ASUrite]_logger.py", to handle transaction logging. The module should import the CSV module and define a function called "log_transactions()", which takes a data structure containing transaction data and writes it to a CSV file. The assignment also mentions moving the "create_pin()" function from the previous assignment (PE5) to the logger module.

In the existing "[ASUrite]_a3transaction.py" module, the assignment requires importing the newly created logger module and the time module. The time module's "ctime()" function should be used to obtain the current time for timestamping transactions. The assignment suggests printing the current time to become familiar with the function.

By completing these tasks, the transaction logger will be implemented, enabling the bank client to maintain a record of all transactions in a CSV file for report generation and record-keeping purposes.

learn more about CSV file, here:
https://brainly.com/question/30396376

#SPJ11


Related Questions

Which of the following is a task that is not performed by the kernel
of an operating system?
A. Avoid deadlock
B. Schedule processes
C. Allocate resources
D. Install a software package

Answers

The kernel is the central component of an operating system that provides essential services to the software running on a computer.

These services include managing hardware, allocating resources, scheduling processes, and avoiding deadlocks, among other things.A kernel is a crucial component of an operating system because it communicates between software and hardware and serves as the operating system's core. It is responsible for allocating resources such as memory and CPU cycles to applications running on the computer, scheduling tasks to ensure that processes execute smoothly and efficiently, and preventing deadlocks by managing processes. Therefore, all of the above tasks are performed by the kernel.Installing a software package is a task that is not performed by the kernel of an operating system. It is a task that is typically performed by a package manager, a third-party installer program, or a user manually. A package manager is a software tool that automates the process of installing, upgrading, and removing software packages in an operating system. It maintains a database of software packages and their dependencies and handles the installation of software and its required dependencies.In conclusion, Installing a software package is the task that is not performed by the kernel of an operating system. The kernel's primary tasks include managing hardware, allocating resources, scheduling processes, and avoiding deadlocks.

Learn more about operating system :

https://brainly.com/question/31551584

#SPJ11

Implement a Mutex using the atomic swap(variable, register) instruction in x86. Your mutex can use busy-spin. Note that you cannot access a register directly other than using this swap instruction

Answers

Mutex is a locking mechanism that is used to synchronize the access of multiple threads to shared resources, ensuring that only one thread can access a resource at a time.

The atomic swap(variable, register) instruction in x86 can be used to implement a Mutex. The basic idea of the implementation is that the Mutex variable will be used to hold the lock state. If the variable is set to 0, then the lock is not held by any thread. If the variable is set to 1, then the lock is held by some thread. The atomic swap instruction will be used to update the value of the Mutex variable. If the value of the variable is 0, then the swap instruction will set it to 1 and return 0, indicating that the lock has been acquired.

If the value of the variable is already 1, then the swap instruction will not modify it and return 1, indicating that the lock is already held by some other thread. Here's an implementation of Mutex using atomic swap instruction:```// Mutex implementation using atomic swap instruction in x86volatile int Mutex = 0;void lock() {while (__atomic_exchange_n(&Mutex, 1, __ATOMIC_SEQ_CST)) {}}void unlock() {__atomic_store_n(&Mutex, 0, __ATOMIC_SEQ_CST);}int main() {lock(); // acquire the lock...// critical section...unlock(); // release the lock...}```In the above implementation, the lock() function will keep spinning in a busy loop until it acquires the lock. The unlock() function simply sets the value of the Mutex variable to 0, releasing the lock.

To know more about synchronize visit:

https://brainly.com/question/28166811

#SPJ11

Which one of the following is not one of theoperations master models that a Windowsnetwork domain controller can assume?

Answers

One of the operations master models that a Windows network domain controller cannot assume is the "Infrastructure Master" role.

In a Windows network domain, there are five operations master roles, also known as Flexible Single Master Operations (FSMO) roles, that can be assigned to domain controllers. These roles are responsible for performing specific tasks and maintaining the integrity and consistency of the Active Directory.

The five operations master roles are:

1. Schema Master: Manages modifications to the Active Directory schema.

2. Domain Naming Master: Handles the addition or removal of domains in the forest.

3. Relative ID (RID) Master: Allocates unique security identifiers (SIDs) to objects within a domain.

4. Primary Domain Controller (PDC) Emulator: Provides backward compatibility for older Windows NT systems and acts as the primary time source.

5. Infrastructure Master: Ensures that cross-domain object references are correctly maintained.

Among these roles, the "Infrastructure Master" is not one of the operations master models that a Windows network domain controller can assume. The Infrastructure Master is responsible for updating references to objects in other domains, and it must be unique within a multi-domain environment. However, in a single-domain environment, the Infrastructure Master role is not necessary and should not be assigned to any domain controller.

Learn more about Directory here:

https://brainly.com/question/32255171

#SPJ11

what is the best way to implement the pragma: no cache directive?

Answers

To implement the #pragma: no cache directive, language-specific compiler directives or attributes can be used to disable caching for specific code sections or data, depending on the programming language and compiler or toolchain being used.

The #pragma directive is typically used to provide non-standard instructions or hints to the compiler. However, the availability and behavior of #pragma directives vary across programming languages and compilers.In C and C++, for example, the #pragma directive can be used with compiler-specific options or attributes to influence the compiler's behavior. To implement the #pragma: no cache directive, you would need to refer to the documentation or compiler-specific guides to identify the appropriate directive or attribute.

For instance, some compilers provide directives such as #pragma GCC optimize or #pragma clang optimize that can be used with specific options or attributes to disable caching. These options might include flags like no-cache, optimize("no-cache"), or similar.

Learn more about cache here:

https://brainly.com/question/23708299

#SPJ11

what type of variable can you create to assign values and read as needed?

Answers

In the context of coding, it is possible to establish a variable that permits the allocation and retrieval of values as required.

Why is it different?

The category of variable is subject to variation according to the particular programming language being employed, yet some widespread kinds encompass:

The data type "integer" is utilized for the storage of complete numeric values, such as 10 or -5.

Floating-point is employed for the purpose of storing decimal numbers, like -2. 5 and 314

This is meant for storing a series of characters, such as "hello" or "123".

A Boolean is a data type that can store a value of true or false.

An array or list is a data structure utilized for holding a set of values.

The Object/Dictionary is a repository utilized to store pairs of keys and their corresponding values.

There exist various variable types beyond these examples, and their availability could vary across different programming languages.

Read more about program variables here:

https://brainly.com/question/9238988

#SPJ4

The following questions pertain to the following database specification: Plays (PID, Title, DirectorName, DirectorID, Year, Cost) Artists(AID, LName, FName, Gender, Birthdate) Roles (PlayID, ArtistID, Character) Find all play titles played by artist Julie Andrews'. Select Title From Plays Where PID In (Select PlayID from Roles Where LName = 'Andrews' And FName = Julie') Select Title From Plays, Artists Where LName = 'Andrews' And FName = Julie' Select Title From Plays, Artists Where PID = AID And LName = 'Andrews' And FName = 'Julie' Select Title From Plays, Artists, Roles Where PID = PlaylD and ArtistID = AID And LName = 'Andrews' And FName = Julie'

Answers

Among the provided options, the correct SQL query to find all play titles played by artist Julie Andrews would be:

SELECT Title

FROM Plays

JOIN Roles ON Plays.PID = Roles.PlayID

JOIN Artists ON Roles.ArtistID = Artists.AID

WHERE Artists.LName = 'Andrews' AND Artists.FName = 'Julie';

This query joins the `Plays`, `Roles`, and `Artists` tables using appropriate join conditions. It filters the result to include only those rows where the last name is 'Andrews' and the first name is 'Julie', retrieving the corresponding play titles.

Learn more about SQL here:

https://brainly.com/question/31663284

#SPJ11

Which of the following is used for continuous monitoring of logs?
O Security information and event management (SIEM)
O User Behavior Analysis (UBA)
O Intrusion Detection Systems (IDS)
O Firewall

Answers

The correct option is A. Security information and event management (SIEM)

Security information and event management (SIEM) is used for continuous monitoring of logs.Security information and event management (SIEM) is used for continuous monitoring of logs. Security information and event management (SIEM) is a software solution that provides real-time analysis of security alerts generated by applications and network hardware.SIEM is used for collecting, analyzing, and correlating log data from a variety of sources, including servers, network devices, and endpoints, to identify security threats. The purpose of SIEM is to help security professionals detect and respond to security incidents in real-time by providing a centralized view of the security landscape. SIEM works by collecting and analyzing log data from multiple sources, including network and security devices, servers, endpoints, and applications. SIEM solutions use sophisticated analytics to identify security threats based on patterns of activity that are indicative of a potential security incident. SIEM is capable of generating alerts based on security events and can automatically trigger responses such as blocking traffic or sending notifications to security personnel.

Learn more about Security information and event management (SIEM) here:

https://brainly.com/question/29607394

#SPJ11

each individual computer and networked peripheral attached to a lan is a

Answers

A Local Area Network (LAN) is a computer network that spans a small area. A local area network (LAN) is a network that links computers and other devices together within a small geographical area, such as a single building or campus. A LAN is established for two reasons: to share resources such as printers, files, and internet connections, and to communicate with one another. Each individual computer and network peripheral device connected to a LAN is called a node. This consists of the central computer device or hub and all of the other connected nodes that are intended to communicate with one another. Nodes can be interconnected by wired or wireless links, with Ethernet being the most common wired LAN technology, and Wi-Fi being the most common wireless LAN technology. Overall, a LAN can have any number of connected nodes, and each node can communicate with one another to share resources and information as required.

To know more about Local Area Network (LAN) visit:

https://brainly.com/question/13267115

#SPJ11

A local area network (LAN) is a computer network that connects devices within a limited geographic range, such as a house, school, computer laboratory, office building, or group of buildings.

A local area network's goal is to connect the network's nodes or devices, which are typically computers and networked peripherals. Nodes on a LAN may be connected using wired or wireless media, and the network's topology and communications protocols are typically defined by network administrators. Local area networks may be used to share resources such as printers or file servers between the network's connected devices, as well as provide a platform for multiplayer video games or real-time communication applications.

Each individual computer and networked peripheral attached to a LAN is a node.

To know more about computer visit:

https://brainly.com/question/32297640

#SPJ11

explain the process by which the computer is able to determine the angular velocities and times

Answers

The process by which the computer is able to determine the angular velocities and times is known as dead reckoning.

Dead reckoning is a method of navigation that uses a computer system to determine the current position of an object or vehicle based on its previous position and the velocities and times that have elapsed between those positions. Dead reckoning can be used for a variety of applications, including aircraft navigation, ground vehicle navigation, and even robotics. To use dead reckoning, the computer system must first have accurate information about the starting position of the object or vehicle, as well as its starting velocity.

The computer then continuously measures the changes in velocity and time as the object or vehicle moves, using this information to calculate its current position and velocity at any given moment. Dead reckoning can be a very effective navigation method, but it does have its limitations.

For example, it is highly dependent on accurate starting position and velocity information, and errors can accumulate over time as a result of measurement inaccuracies or environmental factors such as wind or friction. Additionally, dead reckoning is only effective for short distances, and must be supplemented with other navigation methods such as GPS or visual cues in order to navigate over long distances or in unfamiliar environments.

Learn more about computer :

https://brainly.com/question/32297640

#SPJ11

________ processing occurs when a program runs from beginning to end without any user interaction.
a. Hadoop b. Block c. Hive d. Batch

Answers

The processing that occurs when a program runs from beginning to end without any user interaction is called batch processing.

Batch processing is a type of computer processing in which a program or job collects and processes data in large groups, batch by batch. Batch processing is efficient for processing large amounts of data that can be processed in a non-interactive, automatic, and off-line manner. Batch processing is used for data processing, report generation, payroll processing, and billing. Batch processing is used by businesses because it reduces the need for direct human interaction and boosts the productivity of routine operations. To lessen the strain on your systems, you can schedule batches of jobs containing millions of records to be processed simultaneously when compute power is most easily available. Additionally, modern batch processing requires little to no human management or monitoring. The system immediately alerts the relevant personnel to address any issues if they arise. Managers adopt a hands-off strategy and rely on their batch processing tools to complete the task at hand. Following are more rewards of batch processing.

Know more about Batch processing here:

https://brainly.com/question/29307330

#SPJ11

Which of the following terms means "knowing how to use a computer"?
A) information security
B) cloud computing
C) computer literacy
D) computer compatibility
E) collaborative thinking

Answers

Computer literacy is a term that refers to the knowledge, skills, and abilities required to use a computer and related technologies effectively. It encompasses a wide range of skills, from basic computer operations such as using a mouse and keyboard to more advanced skills such as programming and networking.

In short, computer literacy means knowing how to use a computer. Let us explore the other given options:

Information security: It refers to the practice of protecting information from unauthorized access, use, disclosure, disruption, modification, or destruction.Cloud computing: It is a term that refers to the delivery of computing services over the internet. It involves the use of remote servers to store, manage, and process data instead of using a local server or a personal computer.

Computer compatibility: It refers to the ability of different computer systems and software to work together seamlessly. Collaborative thinking: It refers to the process of sharing ideas, perspectives, and experiences to solve a problem or achieve a common goal through teamwork.

Therefore, the correct answer is C) computer literacy.

To know more about Computer literacy visit:

https://brainly.com/question/28370494

#SPJ11

Word frequencies Write a program that reads a list of words. Then, the program outputs those words and their frequencies (case insensitive).
Ex: If the input is: hey Hi Mark hi mark the output is: hey 1 Hi 2 Mark 2 hi 2 mark 2
Hint: Use lower() to set each word to lowercase before comparing.

Answers

To write a program that reads a list of words and outputs the words and their frequencies (case-insensitive), you can follow these steps:

Step 1: Create an empty dictionary to store the words and their frequencies.

Step 2: Prompt the user to input the list of words.

Step 3: Convert the list of words to lowercase using the lower() method.

Step 4: Split the list of words into separate words using the split() method.

Step 5: Iterate through the list of words and update the dictionary with the frequency of each word.

Step 6: Print the dictionary containing the words and their frequencies. Use a for loop to iterate through the keys and values of the dictionary and print them in the desired format.Below is the Python code that implements the above steps:```
# Create an empty dictionary
word_freq = {}

# Prompt the user to input the list of words
words = input("Enter a list of words: ")

# Convert the list of words to lowercase and split them into separate words
words = words.lower().split()

# Iterate through the list of words and update the dictionary with the frequency of each word
for word in words:
   if word in word_freq:
       word_freq[word] += 1
   else:
       word_freq[word] = 1

# Print the words and their frequencies
print("Word frequencies:")
for word, freq in word_freq.items():
   print(word, freq)
```Note that the above program assumes that the input words are separated by spaces. If the input words are separated by commas or other characters, you can modify the program to split the words based on the desired separator.

Know more about program here:

https://brainly.com/question/14368396

#SPJ11

further, assume the system block size is 16k and a disk block pointer is 64 bits. what is the maximum amount of physical storage accessible by this system? coursehero

Answers

The maximum amount of physical storage accessible by this system is 2^(78) bytes.

In a file system, the maximum amount of physical storage accessible is determined by the total number of blocks that the system can manage. So, given that the system block size is 16k and a disk block pointer is 64 bits, Firstly, we need to determine how many blocks the system can manage by using the following formula: Block address space = 2^(bits in block pointer). So, in this case, Block address space = 2^64 bits. Now, to determine the maximum amount of physical storage accessible by this system, we need to multiply the block address space by the system block size. That is: Maximum amount of physical storage accessible = Block address space x System block size= (2^64 bits) x (16k) bytes= 2^64 bits x 2^14 bytes= 2^78 bytes. This simplifies to: Maximum amount of physical storage accessible = 2^(78) bytes.

Know more about physical storage here:

https://brainly.com/question/6448125

#SPJ11

Explain clustering and provide several use cases of clustering in industry (e.g., how regression can be used)

Answers

Clustering is a technique used in machine learning and data analysis to group similar objects or data points together based on their inherent characteristics or similarities. The goal of clustering is to identify patterns, structures, or relationships within a dataset without any predefined labels or categories.

Here are several use cases of clustering in various industries:

Customer Segmentation: Clustering can be used to segment customers based on their purchasing behavior, demographic information, or preferences. This helps businesses understand different customer groups, tailor marketing strategies, and personalize product offerings.

Image and Object Recognition: Clustering can be applied to analyze and classify images or objects based on their visual similarities. It can be used for tasks such as facial recognition, object detection, or grouping similar images in photo management applications.

Anomaly Detection: Clustering algorithms can be used to identify anomalies or outliers in datasets. This is particularly useful in fraud detection, network intrusion detection, or identifying abnormal behavior in manufacturing processes.

Document Clustering: Clustering can group similar documents together based on their content, enabling tasks such as document organization, topic modeling, or information retrieval in search engines.

News and Social Media Analysis: Clustering can help identify trending topics, group related news articles, or analyze social media posts based on their content. This enables sentiment analysis, recommendation systems, or understanding public opinion.

Genomic Data Analysis: Clustering techniques are used to identify patterns or groups within genomic data. This aids in understanding genetic variations, identifying disease markers, or classifying genetic profiles.

Spatial Data Analysis: Clustering can be used to identify clusters of similar geographic locations, such as identifying hotspots in crime analysis, clustering customers based on geographical proximity, or identifying clusters of disease outbreaks.

Regarding the mention of regression in your question, it's important to note that regression is a separate technique used for predicting numeric values or estimating relationships between variables, typically through the use of regression models. While clustering and regression are both machine learning techniques, they serve different purposes and are applied in different contexts.

Clustering focuses on grouping similar data points, while regression focuses on modeling relationships between variables to make predictions. However, clustering results can potentially be used as features in a regression model to improve predictions by capturing inherent patterns or groups in the data.

Learn more about Clustering here:

https://brainly.com/question/15016224

#SPJ11

Given the following sequence of numbers, show the partition after the first round of Quick Sort. Note: pick the first element as the pivot, write the partition as two sub sets, such as [6, 12, 15] [8, 7, 17, 4, 8, 9, 3, 2], separate each element by a comma, no empty space before or after each element! 6 12 15 8 7 17 4 8 9 3 2

Answers

Partition after the first round of Quick Sort is [6, 2, 4, 3], [8, 7, 17, 8, 9, 15, 12].

In the first round of Quick Sort, we pick the first element as the pivot. We then compare the pivot with the elements of the sequence from the left to the right. If an element is found which is greater than the pivot, a search is initiated for an element which is less than the pivot on the right-hand side of the sequence. When the two elements are found, they are swapped. In the given sequence, the first element is 6. When we compare 6 with the next element, 12, we find that 12 is greater than 6. We then search for an element less than 6 on the right-hand side of the sequence. We find 2, which is less than 6. We swap 12 and 2. The sequence becomes [2, 6, 15, 8, 7, 17, 4, 8, 9, 3, 12]. We continue this process until the pivot element becomes part of a subsequence on the boundary between the two sub-sequences. At that point, we have the partition [6, 2, 4, 3], [8, 7, 17, 8, 9, 15, 12].

Know more about Quick Sort here:

https://brainly.com/question/13155236

#SPJ11

Consider a motherboard that shows a specification of PCI-E version 2.0 x16. What does the x16 represent?
a. The number of bi-directional simultaneous bits transmitted at one time
b. The number of threads handled at one time
c. The maximum number of interrupts supported
d. The maximum number of bi-directional transmission lanes supported

Answers

The "x16" represents the maximum number of bi-directional transmission lanes supported. Option D is the correct answer.

In the context of a motherboard specification, the "x16" refers to the number of lanes available for a PCI-E (Peripheral Component Interconnect Express) slot. The "x16" indicates that the slot supports up to 16 bi-directional transmission lanes. Each lane can transmit data in both directions simultaneously, allowing for high-speed communication between the motherboard and the peripheral device connected to the slot.

The number of lanes available in a PCI-E slot affects the bandwidth and performance of the connected device. A higher number of lanes, such as x16, can provide greater data throughput compared to lower lane configurations like x8 or x4.

Option D is the correct answer.

You can learn more about motherboard  at

https://brainly.com/question/12795887

#SPJ11

to step in for the product owner if empowered to make product direction decisions?Select one:
a. Scrum Master
b. Program Manager
c. Project Managerd.

Answers

In Scrum, the Product Owner represents the interests of the stakeholders and is accountable for maximizing the value of the product resulting from the work of the Development Team. In conclusion, the Scrum Master role is not empowered to make product direction decisions, which is the responsibility of the Product Owner

While it is not the role of the Scrum Master to make product direction decisions, there may be instances where the Scrum Master may need to step in for the Product Owner if empowered to do so. However, this should only happen in rare circumstances and only if it is absolutely necessary for the success of the project.In general, the Scrum Master is responsible for facilitating Scrum events, removing impediments that prevent the team from achieving its goals, and helping the team understand and apply Scrum principles and practices. The Scrum Master is a servant-leader who coaches and supports the team to work effectively together, continuously improve, and deliver high-quality products.The Program Manager and Project Manager roles are not directly related to Scrum. However, these roles may have an impact on the success of a Scrum project. Program Managers are responsible for overseeing multiple projects that are part of a larger program or portfolio of work. They may provide guidance and support to Project Managers and other stakeholders to ensure that all projects are aligned with the program goals and objectives. Project Managers, on the other hand, are responsible for planning, executing, and monitoring the progress of a specific project to achieve its goals and deliverables. They may work with the Scrum Team to ensure that the project is delivered on time, within budget, and to the required quality standards. . However, in rare circumstances, the Scrum Master may need to step in for the Product Owner if empowered to do so. The Program Manager and Project Manager roles are not directly related to Scrum, but they may have an impact on the success of a Scrum project.

To know more about Scrum visit :

https://brainly.com/question/24025511

#SPJ11

which key do you hold down (on a pc) when clicking on additional shapes to select them together?

Answers

To select multiple shapes together on a PC, you typically hold down the Ctrl key while clicking on the additional shapes.

When working with shapes or objects on a PC, you can use the Ctrl key to select multiple items simultaneously. By holding down the Ctrl key and clicking on the shapes you want to select, you can add them to the current selection.

The Ctrl key allows for the selection of non-contiguous shapes, meaning you can choose shapes that are not adjacent to each other. This key modifier is widely used in various software applications, including graphic design software, presentation tools, and drawing programs.

By holding down the Ctrl key while clicking on additional shapes, you can create a multi-selection of objects. This enables you to perform operations on all the selected shapes at once, such as moving, resizing, deleting, or applying formatting changes. It provides greater flexibility and efficiency when working with multiple shapes in a PC environment.

Learn more about Ctrl here:

brainly.com/question/30075502

#SPJ11

declare an array of doubles of size 90 called bonuspoints and initialize all the elements in the array to 3.0 (hint: use a loop)

Answers

To declare and initialize an array of doubles called "bonuspoints" with a size of 90 and set all elements to 3.0, a loop can be used for efficient initialization.

In order to create an array of doubles named "bonuspoints" with a size of 90 and initialize all the elements to 3.0, we can utilize a loop construct. Here's an example in the Python programming language:

python

Copy code

bonuspoints = [3.0] * 90

The above line of code declares an array named "bonuspoints" with a size of 90 and initializes all elements to 3.0 using the multiplication operator and a single element. This technique takes advantage of Python's ability to multiply a list by an integer, resulting in the list being replicated the specified number of times.

This approach ensures that all elements in the array are set to the desired value of 3.0, without the need for an explicit loop. It provides a concise and efficient solution to initialize the array.

learn more about initialize an array here:

https://brainly.com/question/31481861

#SPJ11

What type of gesture is typically used for zooming on a touchscreen?

Answers

The pinch gesture is typically used for zooming on a touchscreen.

What is a pinch gesture?

The pinch gesture is a touch gesture used to zoom in and out of an image, webpage, or other material on a touchscreen device. It involves placing two fingers on the screen, such as the thumb and index finger, and bringing them together to zoom out or pulling them apart to zoom in.

When it comes to modern mobile devices, such as smartphones and tablets, this is one of the most prevalent gestures, and it is supported by most touchscreen operating systems.

Learn more about touch screen at:

https://brainly.com/question/28039940

#SPJ11

The data below are the impact impact strength of packaging materials in foot-pounds of two branded boxes. Produce a histogram of the two series, and determine if there is evidence of a difference in mean strength between the two brands. Amazon Branded Boxes Walmart Branded Boxes 1.25 0.89 1.16 1.01 1.33 0.97 1.15 0.95 1.23 0.94 1.20 1.02 1.32 0.98 1.28 1.06 1.21 0.98 1.14 0.94
1.17 1.02 1.34 0.98 Deliverables: • Working scripts that produce perform the necessary plot • Narrative (or print blocks) that supply answer questions • CCMR citations for sources (URL for outside sources is OK)
Hints: • A suggested set of code cells is listed below as comments • Add/remove cells as needed for your solution

Answers

A histogram is a plot that represents data distribution by arranging values into intervals along the x-axis, and then drawing bars above the intervals with heights that correspond to the frequency of data values falling into the respective intervals.

Histograms are useful tools for visually comparing the distributions of data sets. Now, the histogram of the two series is produced below:Histogram of the two seriesPython Code:import pandas as pd
import matplotlib.pyplot as plt
import seaborn as sns
import numpy as np
from scipy import stats
%matplotlib inline
data = pd.read_clipboard(header=None)
data.columns = ["Amazon Branded Boxes", "Walmart Branded Boxes"]
sns.histplot(data=data, bins=8, kde=True)
plt.show()

From the above histogram, it can be inferred that the distribution of data points of both the Amazon Branded Boxes and the Walmart Branded Boxes seem to be approximately normal. The mean and standard deviation of the two samples is calculated below using Python:Calculating the mean and standard deviationPython Code:

print("Mean for Amazon Branded Boxes: ", round(np.mean(data['Amazon Branded Boxes']),2))
print("Mean for Walmart Branded Boxes: ", round(np.mean(data['Walmart Branded Boxes']),2))
print("Std Deviation for Amazon Branded Boxes: ", round(np.std(data['Amazon Branded Boxes'], ddof=1),2))
print("Std Deviation for Walmart Branded Boxes: ", round(np.std(data['Walmart Branded Boxes'], ddof=1),2))

From the above calculations, the mean of the Amazon Branded Boxes sample is 1.23, and the mean of the Walmart Branded Boxes sample is 1.00. The standard deviation of the Amazon Branded Boxes sample is 0.07, and the standard deviation of the Walmart Branded Boxes sample is 0.04. The difference in mean strength between the two brands is tested using an independent t-test. Python Code:stats.ttest_ind(data['Amazon Branded Boxes'], data['Walmart Branded Boxes'], equal_var=False)The above t-test results show that the t-value is 6.1377 and the p-value is 4.78e-05. Since the p-value is less than the significance level of 0.05, we can reject the null hypothesis that the two samples have the same mean strength. Therefore, there is strong evidence of a difference in mean strength between the Amazon Branded Boxes and Walmart Branded Boxes.

Know more about histogram here:

https://brainly.com/question/16819077

#SPJ11

Tasha: That's good. I'll check back in with Chet when it's ready and we'll see what he thinks. You: Yes, he'll have some good insights, then we can - as necessary.

Answers

Absolutely, Tasha. Chet's perspective will be valuable in determining the next steps. Once we have his feedback, we can assess if any further modifications or adjustments need to be made before implementing the solution.

It's important to ensure that the solution meets all the necessary requirements and addresses the underlying problem effectively.

In the meantime, I recommend documenting the testing process thoroughly so that we can review it later and determine if any improvements can be made for future projects. Additionally, it would be helpful to gather feedback from other stakeholders who may have different perspectives or concerns. By taking a comprehensive approach to this project, we can ensure that we are providing the best possible solution that meets everyone's needs and expectations.

Learn more about feedback here:

https://brainly.com/question/30449064

#SPJ11

look at the following function prototype. int calculate(double); what is the data type of the function’s return value? a) int. b) double. c) void.

Answers

The data type of the return value of the given function prototype is an integer (int).

A function is a set of instructions that performs a specific task and may return a value. The return value of a function represents the result of its execution. It can be of any data type depending on the type of task that the function performs. In this case, the function prototype has a return data type of int. This means that the function will return an integer value after performing its task. The function prototype is as follows: int calculate(double); The function name is calculate and it takes a parameter of data type double. The return data type is int, which means that the function will return an integer value after performing its task. The prototype does not provide any information about what the function does. It only provides information about the data type of its return value and the data type of its parameter, which is double.In conclusion, the data type of the return value of the given function prototype is an integer (int).

To know more about the data type, click here;

https://brainly.com/question/30615321

#SPJ11

which information does a traditional stateful direwall maintain? Select all that apply:
1. Packet route
2. Network port
3. MAC address
4. Source and destination IP address
5. Data content

Answers

A traditional stateful firewall maintains the following information:1. Packet route.2. Network port.3. MAC address.4. Source and destination IP address.

A stateful firewall is a network protection system that maintains the state of active connections to track traffic flows. This system monitors and examines the state of the connection and the characteristics of the traffic, allowing only authorized traffic to pass through while blocking unauthorized or suspicious traffic to prevent network attacks and security breaches. This traditional firewall can block unauthorized access by filtering packets based on the predefined set of rules.A traditional stateful firewall is a system that tracks the state of network traffic to enhance security. It examines the complete network packet as it passes through the firewall and filters out the suspicious traffic. It maintains the state of active connections, including the packet route, network port, MAC address, source and destination IP address, and other relevant information.

Know more about stateful firewall here:

https://brainly.com/question/27960595

#SPJ11

A class header or class definition can contain all of the following except _________.
a. an optional access modifier
b. the keyword class
c. an identifier
d. initial field values

Answers

A class header or class definition can contain all of the following except initial field values. Explanation:Class definition, also known as a class declaration, is a part of the program where you define a new class.

A class definition consists of a class header, which contains the keyword class followed by a class name, and a class body, which is enclosed in curly braces `{}`.A class header or class definition contains an optional access modifier, the keyword class, an identifier, a superclass, and interfaces, if any, separated by commas. The superclass is preceded by the keyword extends, and the interfaces are separated by commas and preceded by the keyword implements. This is what it looks like:```[access modifier] class ClassName [extends SuperClass] [implements Interface1, Interface2, ...] { // Class body}```The class body can include constructors, fields, methods, nested classes, and initialization blocks. Initial field values are provided in the class body, not in the class header.

To know more about class definition visit:

https://brainly.com/question/15236990

#SPJ11

for any data set, which measures of central location have only one value?

Answers

Measures of central location that have only one value include the mode and the median in specific cases where the data set is unimodal and symmetrical.

Measures of central location, also known as measures of central tendency, are statistical measures used to identify the center or typical value of a data set. The mode represents the value that occurs most frequently in the data set. In some cases, there may be only one value that occurs with the highest frequency, resulting in a unimodal data set. In such situations, the mode is the only measure of central location.

Similarly, the median is another measure of central location. It represents the middle value of a data set when arranged in ascending or descending order. When the data set is unimodal and symmetrical, with an equal number of values on either side of the central value, there will be only one value that represents the median. This occurs when the distribution of the data is balanced, and there are no outliers or extreme values pulling the median away from the center.

In summary, both the mode and the median can have only one value as measures of central location under specific conditions. The mode occurs when there is a unimodal data set with one value occurring most frequently, while the median occurs in a unimodal and symmetrical data set where there is only one central value.

Learn more about data set here:

https://brainly.com/question/16300950

#SPJ11

] what are the difference between data as a service (daas) and database as a service (dbaas)?

Answers

The main difference between Data as a Service (DaaS) and Database as a Service (DBaaS) is that DaaS focuses on providing data access and management services, while DBaaS specifically offers database management services.

Data as a Service (DaaS) refers to a cloud-based service that provides access to data resources and capabilities. It involves offering data-related functionalities such as data storage, data integration, data cleansing, and data analytics as a service to users. DaaS aims to simplify data management and provide easy access to data without the need for on-premises infrastructure.

On the other hand, Database as a Service (DBaaS) primarily focuses on managing and delivering database services through the cloud. It involves the provision and management of database instances, where users can store and manipulate data. DBaaS handles tasks like database provisioning, maintenance, backups, and scaling, allowing users to focus on using the database rather than managing its underlying infrastructure.

In summary, DaaS encompasses a broader range of data-related services, while DBaaS specifically caters to the management and provision of databases. Option D is the correct answer.

You can learn more about Data as a Service at

https://brainly.com/question/13615693

#SPJ11

a function or service that is called from a web application to another web application is called a(n) ________.

Answers

A function or service that is called from a web application to another web application is called an Application Programming Interface (API).

API refers to the set of protocols, routines, and tools used for building software and applications. It also specifies how software components should interact and APIs make it easier to develop computer programs, as well as, simplify programming by abstracting the underlying implementation and only exposing objects or actions to the programmer.APIs are designed to provide flexibility and interoperability between various software systems and components. By using APIs, developers can build software that is modular and can be used by other programs, without having to know the underlying details of the program or software component. This helps reduce development time and cost, as well as, make it easier for developers to create software that is more efficient and easier to maintain.

Know more about API here:

https://brainly.com/question/29442781

#SPJ11

the administrator at cloud kicks updated the custom object event to include a lookup field to the primary contact for the event. when running an event report, they want to reference fields from the associated contact record. what should the administrator do to pull contact fields into the custom report?

Answers

To access custom report fields at Cloud Kicks, follow these steps: Go to the report builder or creator in the system. Open report or event report that needs contact record fields referenced.

What is the administrator  role?

In the report builder, find the object selection section to set the primary object for the report. Ensure primary object is set to "Event". Look for related objects or lookup fields in the report builder.

The admin must locate the primary contact lookup field for the new event. Add contact to report by selecting primary contact lookup field. Create a link between Event and Contact object. Once the contact object is added, fields from the record can be included in the report. Select contact fields and add to report as needed.

Learn more about administrator  from

https://brainly.com/question/26096799

#SPJ4

Answer: Edit the custom Event report type and add fields related via lookup.

Explanation: thaz waz is righ

Companies can allow key customers and value-network members to access account, product, and other data through __________.

a) CRM
b) MIS
c) intranets
d) extranets
e) big data

Answers

Companies can allow key customers and value-network members to access account, product, and other data through extranets. Option D is answer.

Extranets are private networks that use internet technology to securely share specific information with authorized external users. They provide a controlled and secure way for companies to collaborate with their customers, suppliers, partners, and other stakeholders. By granting access to specific data and resources, companies can enhance customer service, streamline supply chain management, and facilitate efficient communication and collaboration.

Option D is answer.

You can learn more about extranets at

https://brainly.com/question/15420829

#SPJ11

Other Questions
Determine whether the claim stated below represents the null hypothesis or the alternative hypothesis. If a hypothesis test is performed, how should you interpret a decision that (a) rejects the null hypothesis or (b) fails to reject the null hypothesis? A scientist claims that the mean incubation period for the eggs of a species of bird is at least 31 days. Does the claim represent the null hypothesis or the alternative hypothesis? which economist stressed the importance of the entrepreneur in economic growth? How much must you invest at 8% interest in order to see your investment grow to $10,000 in 10 years? Use Appendix B to calculate the answer. Multiple Choice O $3,996 $4,630 $4,031 none of these Utilising the the main features of the unitary, pluralist andradical perspectives of employment relations outline the role oftrade unions and its changing trends 4. What prevents you from using the principles more frequently?(4 marks-no more than 100 words) Tri Fecta, a partnership, had revenues of $360,000 in its first year of operations. The partnership has not collected on $35,000 of its sales and still owes $40,000 on $150,000 of merchandise it purchased. There was no inventory on hand at the end of the year. The partnership paid $25,000 in salaries. The partners invested $40,000 in the business and $25,000 was borrowed on a five-year note. The partnership paid $3,000 in interest that was the amount owed for the year and paid $8,000 for a two-year insurance policy on the first day of business.Compute net income for the first year for Tri Fecta.Compute the cash balance at the end of the first year for Tri Fecta. View Policies Show Attempt History Current Attempt in Progress Waterways Corporation uses very stringent standard costs in evaluating its manufacturing efficiency. These standards are not "ideal" at this point, but the management is working toward that as a goal. At present, the company uses the following standards. Item Metal re to search Plastic Rubber Item Labor Materials Per unit 1 lb. (a) 12 oz. 402. Younde Direct labor Per unit 15 min. $8.00 per hr. Predetermined overhead rate based on direct labor hours - $4.56 Cost The January figures for purchasing, production, and labor are: The company purchased 215,900 pounds of raw materials in January at a cost of 78 a pound. Production used 215,900 pounds of raw materials to make 109,000 units in January. 634 per lb. $1.00 per lb. 88 per lb. Direct labor spent 18 minutes on each product at a cost of $7.90 per hour. Overhead costs for January totaled $54,517 variable and $75,000 fixed. Cost Answer the following questions about standard costs O i eTextbook and Media (d) What is the labor price variance? (Round per unit calculations to 2 decimal places, es. 1.25 and final answer to a decimal places, e.g. 125.) Labor price variance $ Save for Later Attempts: 1 of 2 used M Attempts: 0 of 2 used (e) The parts of this question must be completed in order. This part will be available when you complete the part above. (f) The parts of this question must be completed in order. This part will be available when you complete the part above, Submit Answer A bank makes four kinds of loans to its personal customers and these loans yield the following annual interest rates to the bank:First mortgage 14%Second mortgage 20%Home improvement 20%Personal overdraft 10%The bank has a maximum foreseeable lending capability of 250 million and is further constrained by the policies:first mortgages must be at least 55% of all mortgages issued and at least 25% of all loans issued (in terms)second mortgages cannot exceed 25% of all loans issued (in terms)to avoid public displeasure and the introduction of a new windfall tax the average interest rate on all loans must not exceed 15%.Formulate the bank's loan problem as an LP so as to maximize interest income whilst satisfying the policy limitations. 1.) Which of the following E. coli proteins is responsible for advancement of the mRNA during translation?IF1IF2EF-TuEF-GNone of the above. Any four principles of administrative management theory the adbusters ad that compares north american consumption with that of mexico, china and india features what animal? Which of the following are not required payroll deductions from an employees' gross earnings? (Check all that apply.)Charitable contributionsFederal unemployment tax (FUTA)State unemployment tax (SUTA) PLEASE HELP FASTT PromptPoverty is a social problem that affects every nation in the world. What are your suggestions and ideas as to how to helppeople overcome poverty? Use the present subjunctive to write 5 complete and detailed sentences in Spanish. Use 5different verbs in your response.You will be graded on (a) appropriate use of Spanish grammar and vocabulary, (b) completeness and detail of the response,and (c) overall quality of the response. Other than Walmart, find another company that also "win" usingthe cost leadership strategy. Describe the business and itsstrategy. ons cess Tips cess Tips ack 4. Measuring GDP The following table shows data on consumption, investments, exports, imports, and government expenditures for the United States in 2017, as published by the Bureau of Economic Analysis. All figures are in billions of dollars. Fill in the missing cells in the table to calculate GDP using the expenditure approach. Data (Billions of dollars) 13,321,4 3,368.0 2,350.2 2,928.6 Consumption (C) Investment (I) Exports (X) Imports (M) Net Exports of Goods and Services Government Purchases (G) Gross Domestic Product (GDP) 3,374.4 B energy is required to move a 1430 kg mass from the earths surface to an altitude 1.52 times the earths radius re. what amount of energy is required to accomplish this move? All of the following are relevant to the sell or process further decision except.a. costs incurred beyond the split-off pointb. revenues at the split-off pointc. joint costs incurred before the split-off pointd. revenues beyond the split-off point Solve the equation. dy/dx = 7x^4 (2+ y)^3/2. An implicit solution in the form F(x,y) = C is = C, where C is an arbitrary constant. (Type an expression using x and y as the variables.) Which of the following institutions is NOT a depository institution?A) a thrift institution, such as a savings and loan associationB) a commercial bankC) a money market mutual fundD) the U.S. Treasury essay on one of the ""in principle"" objections to direct manipulation of the brain