Write a single Java program that includes all tasks (parts)
ATTENTION: In your solution, do not use collection, iterator or other specific classes
and their methods, only use the knowledge and subjects taught in lectures.
Book Class:
Write a Java object class Book that has the following members:
Four data fields (attributes of a book) that are accessible only in this class:
o name: String,
author: String,
year (publication year): int,
pages (number of pages): int.
One constructor with four parameters: name, author, year and pages.
Accessor (get) methods for each of the attributes.
Mutator (set) methods for author and pages attributes.
A method toString() that returns string representation of book object in the following format:
"book-name, author, year, pages p."
(With a "p." after pages. See sample run below.)
Part:1
A text file books.txt has lines that contain information about books. Examine the books.txt file.
Sample lines from file:
The Alchemist;Paulo Coelho;1988;163
Dune;Frank Herbert;1965;412
Write a Java static method readBooks() that takes a file name as parameter, and reads the lines of the file, create Book objects, store these objects in an ArrayList of books, and returns this ArrayList.
Write a Java static method printBooks() that takes an ArrayList of books as parameter, and prints the book objects in this ArrayList.
Write Java statements that calls readBooks() method to create an ArrayList of book objects, then print the books in the ArrayList by calling printBooks() method as seen in the sample run below.
Part 2:
Write a Java static method findBooks() that takes an ArrayList of book objects and a string (containing part of author name) as parameters, and prints the book objects containg the 2nd parameter in the author attribute
Hint: You may use String method indexOf() to check if a string (the author of a book object from ArrayList) contains another string (the 2nd parameter).
Write Java statements that inputs a string entered by user, and print the books that contain the entered string in author attribute in the ArrayList th by calling printBooks() method.
Part 3:
Write a recursive Java static method sumDigits() that gets an integer as parameter, and returns the sum of the digits of this integer.
Write Java statements that inputs an integer entered by the user, call sumDigits() method, than print the sum of the digits of this entered number.
Hint: The complex case for recursive sum of digits = the last digit + sum of digits of the rest.
Sample run:
Part-l:
The Alchemist, Paulo Coelho, 1988, 163p.
The Little Prince. Antoine De saInt Exupery, 1943. 114p
Jonathan Livingston Seagull, Richard Bach. 1970, 144p.
foundation, Isaac Asimov, 1942, 255p.
Dune, Frank Herbert, 1965, 412p
Foundation and Empire, Isaac Asimov, 1952, 247p.
984, George Orwell. 1949, 328p
Introduction to Java Programming, 8th Ed., y. Daniel Liang, 2011, 1366p.
Part:2
Enter part of author name: Asimov
Books written by Asimov:
Foundation, Isaac Asimov, 1942, 255p.
Foundation and Empire, Isaac Asimov, 1952, 247p
Part:3
Enter all integer number: 250872
Sum of digits of 250872 iS 24
Your program code may look as follows:
. . . .comment lines containing your name, surname, student-id and department
. . . .
public class Lab9
{
public static void main (String!] args)
{
System.out .println ("Part-1:")
. . . .
System.out.println("\nPart-2:")
. . . .
System.out.printin ("\nPart-3 : ")
. . . .
}
//The static methods here. . . .
}
class Book
{
. . . .
. . . .
}

Answers

Answer 1

Create a Book class with attributes, constructor, getters, setters, and a toString() method. Implement a static method readBooks() to read book information from a file and store them in an ArrayList.

```java

import java.util.ArrayList;

import java.util.Scanner;

import java.io.File;

import java.io.FileNotFoundException;

public class Lab9 {

   public static void main(String[] args) {

       System.out.println("Part-1:");

       ArrayList<Book> books = readBooks("books.txt");

       printBooks(books);

       System.out.println("\nPart-2:");

       Scanner scanner = new Scanner(System.in);

       System.out.print("Enter part of author name: ");

       String authorPart = scanner.nextLine();

       findBooks(books, authorPart);

       

       System.out.println("\nPart-3:");

       System.out.print("Enter an integer number: ");

       int number = scanner.nextInt();

       int sum = sumDigits(number);

       System.out.println("Sum of digits of " + number + " is " + sum);

   }

   public static ArrayList<Book> readBooks(String fileName) {

       ArrayList<Book> books = new ArrayList<>();

       try {

           File file = new File(fileName);

           Scanner scanner = new Scanner(file);

           while (scanner.hasNextLine()) {

               String line = scanner.nextLine();

               String[] bookData = line.split(";");

               String name = bookData[0];

               String author = bookData[1];

               int year = Integer.parseInt(bookData[2]);

               int pages = Integer.parseInt(bookData[3]);

               Book book = new Book(name, author, year, pages);

               books.add(book);

           }

           scanner.close();

       } catch (FileNotFoundException e) {

           e.printStackTrace();

       }

       return books;

   }

   public static void printBooks(ArrayList<Book> books) {

       for (Book book : books) {

           System.out.println(book.toString());

       }

   }

   public static void findBooks(ArrayList<Book> books, String authorPart) {

       for (Book book : books) {

           if (book.getAuthor().contains(authorPart)) {

               System.out.println(book.toString());

           }

       }

   }

   public static int sumDigits(int number) {

       if (number == 0) {

           return 0;

       } else {

           return (number % 10) + sumDigits(number / 10);

       }

   }

}

class Book {

   private String name;

   private String author;

   private int year;

   private int pages;

   public Book(String name, String author, int year, int pages) {

       this.name = name;

       this.author = author;

       this.year = year;

       this.pages = pages;

   }

   public String getName() {

       return name;

   }

   public String getAuthor() {

       return author;

   }

   public int getYear() {

       return year;

   }

   public int getPages() {

       return pages;

   }

   public void setAuthor(String author) {

       this.author = author;

   }

   public void setPages(int pages) {

       this.pages = pages;

   }

   public String toString() {

       return name + ", " + author + ", " + year + ", " + pages + "p.";

   }

}

```

This program includes three parts as described:

1. The `readBooks()` method reads the book information from a file, creates `Book` objects, and stores them in an `ArrayList`.

2. The `printBooks()` method prints the book objects stored in the `ArrayList`.

3. The `findBooks()` method takes a search term (part of author name) and prints the book objects that contain the search term in the author attribute.

4. The `sumDigits()` method is a recursive function that calculates the sum of digits for a given number.

The main method calls these methods based on the requirements and provides the expected user interactions.

Learn more about attributes:

https://brainly.com/question/15296339

#SPJ11


Related Questions

What is a small file deposited on a hard drive by a website containing information about customers and their web activities?.

Answers

Answer:

Cookies.

Explanation:

It is a small text file that a website can place on your computer's hard drive to collect information about your activities on the site or to allow the site to remember information about you and your activities.

How is effective communication defined as it applies to media?
O The end user delivers the intended message.
O The end user receives the intended message.
O The end user records the intended message.
O The end user agrees with the intended message.

Answers

Answer:

B, if the person you're sending to doesn't get the point it isn't effective. The sender will always know what they're sending but if the person who gets doesn't understand then it doesn't work. They don't need to agree to it for them to understand the message.  

Explanation:

List the name of employee whose salary is higher than 'Justin ' and 'Sam'. (hint; use subquery) 2. List the name of EACH employee in marketing division and the total number of projects the employee works on, as well as the total hours he/she spent on the project(s). Note some employees may have same names. 3. List the name and budget of the project if its budget is over average budget and has more than 3 people working on it, together with the average budget in query result.

Answers

The SQL code or query for the given answer is given below:

SELECT Name FROM Employee WHERE Salary > (SELECT Salary FROM Employee WHERE Name = 'Justin');

What does the SQL Query list

The list provides the names of those employees who earn more than both Justin and Sam.

In order to gather a comprehensive inventory of employees within the marketing department, their respective levels of project involvement, and the resulting hours devoted to each project, accessing both the employee and project databases would be necessary.

In order to obtain information on projects with budgets above the mean and involving a staff of more than three, access to both project and project employee databases is necessary.

Read more about SQL code here:

https://brainly.com/question/25694408

#SPJ4

What is the purpose of a hyperlink in a presentation?
A to add a joke to a presentation
B to create an attractive image
C to connect a user to a new slide, a file, or a webpage
D to keep track of the order of slides

Answers

Answer:

Answer:c to connect a user to a new slide, a file, or a webpage

Explanation:

Explanation:c

Answer:

c

Explanation:

Running the processor faster than recommended by the manufacturer is called _____ . This can increase performance and speed, but will also void the manufacturer warranty.

Answers

Answer:

overclocking.

You should check your cooling when doing this, otherwise you can burn your processor.

We can send a maximum of 240kbps over a noiseless channel with a bandwidth of 20KHz. How many signal levels do we need? (1 Point) 1024 99 64 256

Answers

There should be at least 64 signal levels to achieve a data rate of 240 kbps over a noiseless channel with a bandwidth of 20 KHz.

To determine the number of signal levels required, we can use the Nyquist formula. According to the formula, the maximum data rate (R) of a noiseless channel is equal to twice the bandwidth (B) multiplied by the logarithm of the number of signal levels (L).

In this case, the maximum data rate is 240 kbps and the bandwidth is 20 KHz.

So, the formula becomes:

240 kbps = 2 * 20 KHz * log2(L)

By rearranging the equation, we can solve for L:

L = 2^(240 kbps / (2 * 20 KHz))

Simplifying further, we get:

L = 2^(6)

Therefore, the number of signal levels required is 64

Learn more about bandwidth at

https://brainly.com/question/20466501

#SPJ11

hiiiiiiiiihwdawdfgthnythgrfergthyjuhgfd

Answers

Answer:

Your answer would be gas.

Explanation:

Steam is just water just evaporated.

no i will not marry u

which method would mitigate a mac address flooding attack?

Answers

In a MAC flooding attack, an attacker tries to overload the switch with MAC addresses. As a result, the switch has to enter into the fail-open mode, which means it starts broadcasting every packet that it receives to every port in its network. This attack can be mitigated by implementing Port Security and VLANs.

This activity can create a Denial of Service (DoS) situation in the network, as it floods the network with unnecessary traffic. However, this attack can be mitigated by implementing Port Security and VLANs.

Port Security: In Port Security, the administrator can define the maximum number of MAC addresses that are allowed to enter the network through a specific switch port. If the MAC addresses exceed the defined number, the port automatically gets shut down. As a result, an attacker cannot keep sending MAC addresses to overload the switch.

VLAN: VLAN is a technology that can separate the switch into multiple isolated networks. In other words, VLAN can create virtual switches within a single physical switch. Hence, a VLAN can prevent MAC address flooding attacks by limiting the broadcast domains.

To mitigate the MAC address flooding attack, Port Security and VLANs are the methods used. The Port Security can help to shut down the port when the maximum number of MAC addresses exceeds the limit. It ensures that the attacker cannot overload the switch by sending more and more MAC addresses. On the other hand, VLANs create virtual switches within the physical switch that limit the broadcast domains. It can separate the switch into multiple isolated networks, which can stop the MAC address flooding attack from spreading in the entire network.

know more about MAC flooding attack

https://brainly.com/question/33168185

#SPJ11

What are cascading style sheet?

Answers

Cascading Style Sheets is a style sheet language used for describing the presentation of a document written in a markup language such as HTML. CSS is a cornerstone technology of the World Wide Web, alongside HTML and JavaScript.

Answer:

It is used to describe the presentation of a document written up in a markup language such as HTML....

Explanation: Hope this helps<3

give me at least five main characteristic of irrigation equipment​

Answers

Answer:

flow control devices

filters

fertigation equipment

water emitters

automation equipment

operation equipment

water-lifting devices.

HELP ME PLZZZ
What are the special concerns about cyberbullying?

Answers

Answer:

a. Low self-esteem

b. Weight loss or change appearance

The BETWEEN operator is exclusive; it includes all numbers between the lower and higher numbers, but excludes the lower and higher numbers themselves.
a. true
b. false

Answers

False cause I’d dosent have to exclude lower and higher numbers

what does a data dictionary of a dw should have that you would not have in a data dictionary of an oltp database ?

Answers

A data dictionary is a vital component of the data warehouse as it provides metadata that describes the data in the data warehouse. The data dictionary is used to document and maintain the information in the data warehouse, making it easier to understand and manage the data.

The following are some of the things that a data dictionary for a DW should have that you would not have in an OLTP database:

1. Granularity: The data dictionary should include information on the granularity of the data in the data warehouse. In a DW, data is typically stored at a high level of granularity, which means that it is more detailed than the data in an OLTP database

.2. Historical Data: The data dictionary should include information on the historical data stored in the data warehouse. DWs store data over time, which means that the data dictionary should document the history of the data

.3. Aggregation: The data dictionary should include information on how the data is aggregated in the data warehouse. DWs typically store data at a high level of aggregation, which means that the data dictionary should document how the data is aggregated.

4. Complex Queries: The data dictionary should include information on how complex queries are supported in the data warehouse. DWs are designed to support complex queries, which means that the data dictionary should document how complex queries are supported.

5. Dimensional Data: The data dictionary should include information on the dimensional data used in the data warehouse. DWs are designed to support dimensional data, which means that the data dictionary should document how the dimensional data is used.6. Summary Information: The data dictionary should include summary information about the data in the data warehouse. This information should be included to help users understand the data and how it is being used.

To know more about data visit:

brainly.com/question/30087825

#SPJ11

Using Keil uVision 5; Write assembly code that creates a n-element Fibonacci sequence and stores it in the memory, and then calculates the variance of this generated sequence. Display the result in register R8. The number n should be defined with the EQU at the beginning of the code and the program should run correctly for every n value. You can use "repeated subtraction" for the division operation. Define this operation as Subroutine. You can perform operations with integer precision. You don't need to use decimal numbers. Explain your code in detail.

Answers

Below is an assembly code that creates an n-element Fibonacci sequence, stores it in memory, and then calculates the variance of the generated sequence:

```

       AREA Fibonacci, CODE, READONLY

       ; Define the number of elements in the Fibonacci sequence

N       EQU 10      ; Change this value to set the desired number of elements

       ; Define variables

array   SPACE N     ; Space for storing the Fibonacci sequence

sum     DCD 0       ; Variable to store the sum of the sequence

var     DCD 0       ; Variable to store the variance

       ; Entry point of the program

       ENTRY

       ; Calculate the Fibonacci sequence and store it in memory

       MOV R0, #0          ; Counter for the number of elements generated

       MOV R1, #0          ; First Fibonacci number

       MOV R2, #1          ; Second Fibonacci number

calculate:

       STR R1, [array, R0, LSL #2]  ; Store the Fibonacci number in memory

       ADD R3, R1, R2      ; Calculate the next Fibonacci number

       MOV R1, R2          ; Update the previous number

       MOV R2, R3          ; Update the current number

       ADD R0, R0, #1      ; Increment the counter

       CMP R0, N           ; Compare with the desired number of elements

       BNE calculate       ; Repeat until N elements are generated

       ; Calculate the sum of the sequence

       LDR R4, =array      ; Load the base address of the array

       MOV R5, #0          ; Counter for the sum calculation

       MOV R6, #0          ; Accumulator for the sum

sum_loop:

       LDR R7, [R4, R5, LSL #2]    ; Load the current element of the array

       ADD R6, R6, R7      ; Accumulate the sum

       ADD R5, R5, #1      ; Increment the counter

       CMP R5, N           ; Compare with the number of elements

       BNE sum_loop        ; Repeat until all elements are summed

       STR R6, sum         ; Store the sum value in memory

       ; Calculate the variance

       LDR R4, =array      ; Load the base address of the array

       MOV R5, #0          ; Counter for the variance calculation

       MOV R6, #0          ; Accumulator for the variance

variance_loop:

       LDR R7, [R4, R5, LSL #2]    ; Load the current element of the array

       SUB R7, R7, R6      ; Subtract the previous mean value

       MUL R7, R7, R7      ; Square the difference

       ADD R6, R6, R7      ; Accumulate the variance

       ADD R5, R5, #1      ; Increment the counter

       CMP R5, N           ; Compare with the number of elements

       BNE variance_loop  ; Repeat until all elements are processed

       ; Store the variance value in memory

       STR R6, var

       ; Display the result in register R8

       LDR R8, var

       ; Halt the program

halt:   B halt

       END

```

The result is displayed in register R8. The number n is defined using the EQU directive at the beginning of the code, allowing the program to run correctly for any value of n.

The code starts by defining the number of elements in the Fibonacci sequence using the EQU directive. You  can change the value of N to set the desired number of elements.  It then defines the variables for storing the Fibonacci sequence, sum, and variance. The main entry point of the program is declared using the ENTRY directive.

The code uses a loop to calculate and store the Fibonacci sequence in memory. It uses registers R0, R1, and R2 to keep track of the count, the previous Fibonacci number, and the current Fibonacci number, respectively. The loop repeats until N elements are generated.  After generating the sequence, the code calculates the sum by looping through the array and accumulating the values in register R6.

The sum is stored in the memory location "sum" using the STR instruction Next, the code calculates the variance. It uses another loop to subtract the mean value from each element, square the difference, and accumulate the variance in register R6. The variance is stored in the memory location "var" using the STR instruction.

Finally, the result is displayed by loading the value from the "var" memory location into register R8.The program ends with an infinite loop (halt) to keep the execution from falling into undefined memory.

Note: This code assumes that the Fibonacci sequence starts with 0 and 1. If you want to start with different initial values, you can modify the MOV instructions for R1 and R2 accordingly.

Learn more about Fibonacci sequence: https://brainly.com/question/29764204

#SPJ11

NEED THIS ASAP!!) What makes open source software different from closed source software? A It is made specifically for the Linux operating system. B It allows users to view the underlying code. C It is always developed by teams of professional programmers. D It is programmed directly in 1s and 0s instead of using a programming language.

Answers

Answer: B

Explanation: Open Source software is "open" by nature, meaning collaborative. Developers share code, knowledge, and related insight in order to for others to use it and innovate together over time. It is differentiated from commercial software, which is not "open" or generally free to use.

what new feature in windows server 2016 will allow up to eight identical physical adapters on the host system to be configured as a team and mapped to a virtual switch?

Answers

The new feature in Windows Server 2016 that allows up to eight identical physical adapters on the host system to be configured as a team and mapped to a virtual switch is called NIC Teaming.

NIC stands for Network Interface Card. NIC Teaming allows you to bundle several physical network interfaces together to form a single logical interface that provides fault tolerance and high-speed links.

By configuring multiple physical adapters as a team, you can increase the network bandwidth and provide redundancy in case a network adapter fails.

Learn more about Windows Server:

https://brainly.com/question/30468027

#SPJ11

FREE BRAINLIEST!!!
When recording a macro, the cursor will look like a _____ to indicate it is recording. A.microphone
B. Arrow
C. CD
D. cassette tape

Answers

Answer:

B

Explanation:

Answer:  

When recording a macro, the cursor will look like a cassette tape to indicate it is recording. This answer has been confirmed as correct and helpful.  

Explanation:

the correct answer is D

when a cloud kicks opportunity closes, the company would like to automatically create a renewal opportunity. which two automation tools should an administrator use to accomplish this request?

Answers

An administrator should implement this request using Flow Builder and process two as automation tools.

Which application ought a manager to use to check the most recent configuration alterations made in their org?

Your most recent setup modifications, as well as those of other admins, are tracked by Setup Audit Trail. When there are many administrators, the audit history is extremely helpful. A variety of user access methods can be set up using the User Administration tool.

How does a Linux administrator use tools?

As their go-to program for network discovery and vulnerability detection, Nmap is typically chosen by network administrators. Nmap is an application that specializes in scanning available hosts and compiling a detailed list of services that are available to end users.

To know more about automation visit:-

https://brainly.com/question/30100621

#SPJ4

create a folder of your name on the desktop .make a copy of this folder in my documents rename this folder with your friend,s name . now delete the folder of your name from the desktop . list out the activities you have done "

Answers

I can provide a list of activities that a user would have performed to complete these tasks:   on the and select "New Folder".

Name the folder after the user's name.Copy the folder by selecting it and pressing "Ctrl + C", then  to "" and press "Ctrl + V" to paste the folder.Rename the copied fol right-clicking and selecting "Delete".Verify that the folder is still present in "Documents".To make a copy of this folder in your documents, follow these steps:Open the "File Explorer" or "Windows Explorer" window.Navigate to the "Documents" folder.Right-click on an empty space and select "New" and then "Folder."Rename this new folder with your friend's name.Go back to your desktop and right-click on the folder you created with your name.elect "Copy."Go to the "Documents" folder and right-click on the folder you renamed with your friend's name.Select "Paste."To delete the folder with your name from your desktop, follow these steps:Right-click on the folder with your name on your desktop.Select "Delete" and then confirm the action by clicking "Yes."So, the activities that you have done include creating a folder with your name on the desktop, copying this folder to the "Documents" folder and renaming it with your friend's name, and deleting the original folder with your name from the desktop.

To learn more about Folder click the link below:

brainly.com/question/14472897

#SPJ4

CUANDO QUEREMOS EJECUTAR ALGUN TIPO DE EMPRENDIMIENTO, DEBEMOPS DE PENSAR EN TRES TIPOS DE MEDIDAS BASICAS​

Answers

When we want to execute some type of entrepreneurship, we must think about three types of basic measures

HELP PLS!!! In a presentation, what is layout?

Answers

a plan about how to do it
Slide layouts contain formatting, positioning, and placeholder boxes for all of the content that appears on a slide
HELP PLS!!! In a presentation, what is layout?

HELP ASAP!Select all examples of desirable workplace skills, habits, and attitudes.

waits for others to solve problems
does not call in sick or miss work frequently
creates a list of solutions for the boss
arrives at work on time or early
waits for supervisor to give directions
works quickly and accurately
shows initiative
communicates effectively
sets clear goals to achieve success
gives products to friends for free

Answers

Answer:

does not call in sick or miss work frequently

creates a list of solutions for the boss

arrives at work on time or early

waits for supervisor to give directions

works quickly and accurately

shows initiative

communicates effectively

sets clear goals to achieve success

Explanation:

Have a Great Day!!!

P16 Consider the following network. ISP B provides national backbone service to regional ISP A. ISP C provides national backbone service to regional ISP D. Each ISP consists of one AS. B and C peer with each other in two places using BGP. Consider traffic going from A to D. B would prefer to hand that traffic over to C on the West Coast (so that C would have to absorb the cost of carrying the traffic cross-country), while C would prefer to get the traffic via its East Coast peering point with B (so that B would have carried the traffic across the country). What BGP mechanism might C use, so that B would hand over A-to-D traffic at its East Coast peering point?

Answers

Solution :

Considering the following data :

\($\text{ISP B}$\) provides the national backbone to the regional \($\text{ISP A}$\).

\($\text{ISP C}$\) provides the national backbone to the regional \($\text{ISP D}$\).

Each of the ISP consists of one autonomous systems (AS).

\($\text{ISP B}$\) would like to hand over the traffic of C through the \($\text{West}$\) Coast.

The \($\text{ISP C}$\) would like to receive traffic from B's peering point via East Coast.

One way for \($C$\) to force \($B$\) to hand over all of \($B$\)’s traffic to \($D$\) on the east coast is for \($C$\) to  only advertise its route to \($D$\) via its east coast peering point with \($C$\).

a printer connected to a wireless network is considered to be a node on that network T/F

Answers

A printer connected to a wireless network is indeed considered a node on that network.

Is a printer connected to a wireless network considered a node on that network?

A printer connected to a wireless network is considered to be a node on that network.

In computer networking, a node refers to any device that is connected to a network and has a unique network address.

This includes computers, servers, routers, switches, and in this case, printers.

When a printer is connected to a wireless network, it becomes part of that network infrastructure and is assigned an IP address.

It can communicate with other devices on the network, receive print jobs, and perform printing tasks as requested.

Learn more about wireless network

brainly.com/question/31630650

#SPJ11

What does a hanging indent look like?

The right and left edges of the paragraph are evenly lined up.
The first line of a paragraph is perfectly lined up with the lines below it.
The first line of a paragraph starts farther to the left than the lines below it.
The first line of a paragraph is indented more to the right than the lines below it.

Answers

Answer:

Option C, The first line of a paragraph starts farther to the left than the lines below it.

Explanation:

In a hanging indent (which is opposite of the normal paragraph), the first line of the paragraph is lined up with the left margin while the lines below the first line will indent one-half inch from the left margin.

Hence, option C is correct

A network of Raspberry Pis are organized into a Beowulf cluster. There are 32 devices running non-stop. In a period of 72 hours, three of them failed. Calculate the mean time between failures (MTBF).

Answers

The mean time between failures (MTBF) for the Beowulf cluster of Raspberry Pis is 696 hours.

To calculate the mean time between failures (MTBF) for the Beowulf cluster of Raspberry Pis, we need to first define the formula for MTBF.

MTBF is calculated by dividing the total uptime of all devices by the number of failures. We can then convert this value into hours to get the MTBF.
In this case, we know that there are 32 Raspberry Pis in the cluster and three of them failed in a 72-hour period. This means that there were 29 devices that were running non-stop for 72 hours.

To calculate the total uptime, we can multiply the number of devices by the time they were operational:
Total uptime = 29 devices x 72 hours = 2,088 hours
Next, we can calculate the MTBF by dividing the total uptime by the number of failures:
MTBF = Total uptime / Number of failures = 2,088 / 3 = 696 hours
Therefore, the mean time between failures (MTBF) for the Beowulf cluster of Raspberry Pis is 696 hours.

For more questions on mean time between failures

https://brainly.com/question/30188655

#SPJ11

Mille gets a text from her friend asking if she wants to come over. It seems like a bit of a hassle to go to her friend's house, especially when they
could watch online videos together and talk over the phone. What is the BEST advice for Millie?
OA. Her friend will probably be relieved If she does not come over.
OB. They should just say whatever they want to say to each other over social media.
OC. It will be a more positive experience if she spends time with her friend in person.
OD. If they are doing the same activities virtually as they would if they were together, it does not make much difference.

Answers

Answer:

OC. It will be a more positive experience if she spends time with her friend in person.

Explanation:

You should always spend time with people in person rather than online whenever you get the chance.

The Privacy Act of 1974 established rules to regulate Group of answer choices private sector databases only all databases that contain personal information all personal information, including surveillance data Federal government databases only

Answers

The Privacy Act of 1974 aims to protect the privacy rights of individuals and ensure the proper handling of personal information.

The Privacy Act of 1974 was enacted to regulate the use of personal information and establish guidelines for maintaining its privacy. The act applies to all personal information, including surveillance data, held by federal government databases.

However, it does not solely apply to federal government databases, as it also extends to all databases that contain personal information, including those in the private sector.

This act requires that individuals be notified of the collection, maintenance, and use of their personal information, and that such information be kept accurate and up-to-date. Additionally, individuals have the right to access and amend their personal information.

To learn more about : Privacy Act

https://brainly.com/question/27972988

#SPJ11

10. Two technicians are discussing recycling specifications for refrigerant. Technician A says that refrigerant oil with 5,000 parts per million (ppm) does not fall
within specifications. Technician B says that air can only have a maximum of 330 ppm. Who is correct?
O A. Neither Technicians A and B
OB. Technician B
O C. Both Technicians A and B
O D. Technician A

Answers

Two technicians are discussing recycling specifications for refrigerant   Technician A is correct.

What is the recycling ?

Recycling is the process of transforming waste materials into new products to prevent the waste of potentially useful materials and reduce the consumption of fresh raw materials. It is an important part of the global economy and helps to preserve the environment by reducing energy usage, air and water pollution, and reducing the amount of waste sent to landfills. Recycling can be done through mechanical means such as shredding or separation, or through chemical processes such as melting and reforming.

To learn more about recycling

https://brainly.com/question/27248056

#SPJ1

What is a risk of sharing too much private information, such as a phone number or an address, online?
Responses

The person’s identity can be stolen.

Friends and family will see the information.

The person will make new friends.

Websites will never share private information.

Answers

The person's identity could be stolen if they share too much personal information online, like their phone number or address. Option A is correct .

How dangerous is it to share too much personal information online?

If you share too much information online, you put yourself at risk for fraud, and identity thieves and hackers can use that information to get the information they need to study you or steal your identity. The more data you share, the more they know. In some cases, this can also increase your risk of identity theft. For instance, if a thief gets their hands on your financial information, they can easily look at your account account to find other information they need to fake your identity. Scammers can find enough information on user social media accounts to spy on users, steal identities, and try to commit scams. When using social media, problems with data protection and flaws in privacy controls can put user information at risk.

To learn more about data visit :

https://brainly.com/question/29822036

#SPJ1

Other Questions
Which sentence contains a coordinating conjunction?A. I will teach you the laws to follow, and you will obey them or else.B. The trees have been cut down; consequently, the soil is eroding.C. Due to his excellent skills, Walter is now considered a master.D. The monkey stole the man's phone while the sloth distracted him. pls help will mark as brainliest What is 4/7 times 6/7? All of the following statements about Mormonism are true except? 21. pic bellow ufdhufhurhfrhurguhgr when calcium ions (ca ) enter the synaptic terminal, neurotransmitter molecules are quickly removed from the synaptic cleft. group of answer choices true false Let f(x)=-2x-1 and g(x)=x^2-5 find (fg)(-4) You might need: CalculatorHere is a table giving the number of US households (in thousands) in 2013 by tenure and insurance status:Insurance status Owns homeRents homeInsured7113Uninsured527Find the marginal distribution of tenure in counts.Owns home:Rents home: Consider a telescope with a small circular aperture of diameter 2.0 centimeters. If two point sources of light are being imaged by this telescope, = 490 nm is the maximum wavelength at which the two can be resolved if their angular separation is 3.0105 radians.Calculate the angular separation 1 at which two point sources of wavelength 600 nanometers are just resolved when viewed through a circular aperture of diameter 1.5 centimeters.Express your answer in radians.1 = ________ radians We specify the following linear regression model log(price) = 0 + 1sqrmt + 2room + u to study the determinants of house prices: sqrmt is the square meters of the house, room is the number of bedrooms, and price is the price in thousands of euros. The estimates obtained using OLS with a sample of n = 103 observations are log\(price) = 8 (0.01) + 0.01 (0.01) sqrmt + 0.08 (0.01) rooms, R2 = 0.5, X 103 i=1 u 2 i = 157 (standard errors in parentheses) (a) (0.25 points) For the rst house in the sample, log(price1) = 12, sqrmt1 = 80, room1 = 2. Explain how to nd u1 (write the formula replacing all the available values but no need of doing the calculations). (b) (0.25 points) What is the predicted dierence in the price of two houses A and B, both with the same number of square meters, but A with 2 bedrooms more than B? The answer has to include the magnitude and the measurement units. (c) (0.5 points) Interpret R2 = 0.5 and explain how to nd P103 i=1(log(pricei)log(price))2 (no need of doing the calculations). (d) (0.5 points) Write the formula used to obtain se( 1) = 0.01. (e) (0.5 points) Construct a 95% condence interval for 1 (the critical value is 1.97). (f) (0.5 points) If the p value of a test is p value = 0.04, can you reject the null at 5%? And at 1%? Why? (g) (0.5 points) Test (two-tailed) at 5% the null hypothesis that one more bedroom is predicted to increase the price by 10% (the critical value is 1.97). The answer has to include (i) the null hypothesis, (ii) the alternative hypothesis, (iii) the formula and the value of the test statistic, (iv) the rejection rule and (v) the conclusion of the test. (h) (1 point) We now want to assess how the correlation between room and sqrmt aects the estimation of 1. Knowing that in the regressions sqrmt = 0 + 1rooms + u, the determination coecient is R2 = 0.5, compute the variance ination factor associated to 1. (i) (1 point) Suppose we now omit the relevant variable room and estimate the wrong model log(price) = 0 +1sqrmt+u. The correlation between room and sqrmt is 0.7 and suppose 2 > 0. Is the estimator of 1 obtained in this model unbiased? If not, discuss the sign of the bias. (j) (1 point) Extend the model by adding a new regressor which makes the eect of room on price dependent on sqrmt. (k) (1 point) We now add two more regressors: crime (the number of crimes committed in the area where the house is located) and age (the age of the house). The model is now log(price) = 0 + 1sqrmt + 2rooms + 3crime + 4age + u with R2 = 0.7. Test the null H0 : 3 = 4 = 0. The answer has to include (i) the restricted model, (ii) the test statistic (write the formula, replace all the available values but no need of computing the value) , (iii) the rejection rule. Use 3 as critical value. A proton follows the path shown in (Figure 1) . Its initial speed is v0 = 1.8106 m/s .Part AWhat is the proton's speed as it passes through point P? Express your answer to two significant figures and include the appropriate unitsIncorrect; Try Again; 4 attempts remaining Enter your answer using dimensions of velocity. the molecules of which phase have the greatest intermolecular forces, compared to their kinetic energies? responses solid solid plasma plasma liquid liquid gas conducting a postaudit blank . multiple select question. provides an opportunity to cut losses on floundering projects provides an opportunity to reinforce and possibly expand successful projects determines which capital project should be selected for investment A food distribution company has employees that order food supplies for local restaurants by predicting sales. The company pulls an SRS of 500 orders and finds that 408 orders were correct. Calculate and interpret a 95% confidence interval for the proportion of all orders that were correct 50 points need help look at picture Describe the possible echelon forms of the following matrix. A is a 2x2 matrix with linearly dependent columns Select all that apply (Note that leading entries marked with an X may have any nonzero value and starred entries (*) may have any value including zero)a. 0 00 0b. 0 x0 0c. x *0 0d. x *0 x which American colony's economy was based on shipbuilding and fishing Conformity stemming from a desire to be correct tends to occur when a situation is ________. 3/4 (h + 20) in distributive property