What is the magnitude of the largest positive value you can place in a bool? a char? an int? a float?

Answers

Answer 1

Answer:

A bool can hold only true or false values.

A char can hold maximum 65535 characters.

An int can hold maximum positive value of 2,147,483,647.

A float can hold maximum positive value of 3.4 x 10^{38}.

Explanation:

Primitive data types in Java language can be categorized into boolean and numeric data types.

Numeric can be divided further into floating point and integral type. Floating data type includes float and double values while and integral data type which consists of char, int, short, long and byte data types.

Every data type has a range of values it can hold, i.e., every data type has a minimum and maximum predefined value which it is allowed to hold. The intermediate values fall in the range of that particular data type.

Any value outside the range of that particular data type will not compile and an error message will be displayed.

The data types commonly used in programming are boolean, char, int and float.

A boolean variable can have only two values, true or false.

A char variable can hold from 0 to 65535 characters. Maximum, 65535 characters are allowed in a character variable. At the minimum, a char variable will have no characters or it will be a null char variable, having no value.

An int variable has the range from minimum -2^{31} to maximum 2^{31} – 1. Hence, the maximum positive value an int variable can hold is (2^{31}) – 1.

A float variable can hold minimum value of 1.4 x 10^{-45} and maximum positive value of 3.4 x 10^{38}.

The above description relates to the data types and their respective range of values in Java language.

The values for boolean variable remain the same across all programming languages.

The range of values for char, int and float data types are different in other languages.


Related Questions

Failing to include a complete ____ on each side of an && operator in an if statement is a common error in Java programming.

a.
operator

b.
mathematical expression

c.
variable

d.
Boolean expression

Answers

Answer:

Boolean expression

Explanation:

The operator '&&' is called AND operator. it provide the output base on the Boolean value on each side of AND operator.

it has four possible values:

First Boolean is TRUE and Boolean is TRUE, then result will be TRUE.

First Boolean is TRUE and Boolean is FALSE, then result will be FALSE.

First Boolean is FALSE and Boolean is TRUE, then result will be FALSE.

First Boolean is FALSE and Boolean is FALSE, then result will be FALSE.

Therefore, the correct option is Boolean expression.

A trust domain is defined as Select one: a. The agreed upon, trusted third party b. A scenario where one user needs to validate the other’s certificate c. A construct of systems, personnel, applications, protocols, technologies, and policies that work together to provide a certain level of protection d. A scenario in which the certificate’s issuer and subject fields hold the same information

Answers

Answer:

A construct of systems, personnel, applications, protocols, technologies, and policies that work together to provide a certain level of protection

Explanation:

Creation of dynamic Trust Domains can be realized through collaborative, secure sharing solutions. The local system is able to trust a domain to authenticate users. If an application or a user is authenticated by a trusted domain, all domains accept the authenticating domain. For instance, if a system trust domain X, it will also trust all domains that domain X trusts. It is a two-way trust relationship and is transitive.

Answer:

A construct of systems, personnel, applications, protocols, technologies and policies that work together to provide a certain level of protection

Explanation:

A trust domain is a certificate that entities or users gain and is granted by a trusted domain this is that when you enter another software or other systems you will be recognized as a trusted character or user and gives protection between systems and softwares and provides protection for the users.

A pentagonal number is defined as
(n(3n1))/2
for n = 1; 2; ::: and so on. So, the first few pentagonal numbers are 1; 5; 12; 22; :::

Write the following method that returns the nth pentagonal number:
public static int getPentagonalNumber( int n )

Answers

Answer:

public static int getPentagonalNumber( int n ){

      //initialize the variable

       int NthpentagonalNumber;

     // use formula

      NthpentagonalNumber = n*((3*n)-1)/2;

      //return the result

      return NthpentagonalNumber;

   }

Explanation:

Create the function with return type int. it means, the function returns the integer value to the calling function.

In the function, we declare the one parameter with an integer type. so, it takes the value from the calling function.

then, initialize the variable for storing the output.

the formula for calculating the pentagonal number is:

[tex]pentagonal number = n*(3n-1)/2[/tex]

the value is passed by the user and the function capture the value in the parameter and then use the formula to store the output the variable.

and finally, return the output.  

A final class can't be extended.TrueFalse

Answers

Answer:

True

Explanation:

A final class is something like sealed one and no one can inherit that further.

it is useful to lock our code or functionality from others

The factorial of a number n, written in math as n!, is the product of all the numbers from 1 to n or 1*2*3* … *n. Write a C++ program that requests a number from the user and then displays the factorial of that number. The program should only accept positive integers greater than 0.

Answers

Answer:

#include <iostream>

using namespace std;

int main()

{

   int factorial=1;

   int num;    

   

   cout<<"Enter any Number: ";    

   cin>>num;  

   

   for(int i=1;i<=num;i++){    

     factorial=factorial * i;    

   }    

   

   cout<<"The factorial of the number is "<<factorial<<endl;  

 

  return 0;

}

Explanation:

Create the main function and declare the variable.

then, print the message by using the cout instruction.

store the value enter by user in the variable.

After that, take a for loop from 1 to user value both are included.

and multiply the value with previous value and it happen until the condition in the loop true.

for example:

i=1

fact = 1*1=1

i=2

fact =  1*2=2

i=3

fact= 2*3=6  and so on....

finally print the result.

Final answer:

A C++ program to calculate the factorial of a positive integer uses a loop to successively multiply the numbers from 1 up to the input number. The program checks that the user input is a positive integer since the factorial is only defined for non-negative integers.

Explanation:C++ Program to Calculate Factorial

To calculate the factorial of a number in C++, we can ask the user to input a positive integer and then calculate the factorial by multiplying all the integers from 1 up to the number provided. The factorial of a number n, written as n!, is the product of all positive integers less than or equal to n. Below is a simple C++ program that calculates the factorial:

#include
using namespace std;

int main() {
  unsigned int number;
  unsigned long long factorial = 1;

  cout << "Enter a positive integer: ";
  cin >> number;

  if (number < 0) {
      cout << "Factorial of a negative number doesn't exist.";
  } else {
      for(int i = 1; i <= number; ++i) {
          factorial *= i;
      }
      cout << number << "! = " << factorial << endl;
  }
  return 0;
}

The program uses a loop to repeatedly multiply the factorial variable by each number up to the input number. We use an unsigned long long for the factorial variable to handle potentially large numbers, although there is still a limit to how large a number this data type can store. The program also includes a basic check to ensure that a negative number is not input, as factorials are only defined for non-negative integers.

Solve the following system of algebraic equations: Y = 1-x^2 and y = 1+x

Answers

Answer:

x=0;   x=1

Explanation:

The system presents a quadratic equation and a linear equation. Therefore, the result will have two solutions.

The first step is to match the two equations:

[tex]1+x=1-x^{2}[/tex]

Then we clear the equation by zeroing.

[tex]0=x^{2} +x+1-1[/tex]

Now we perform indicated operations

[tex]x^{2} +x=0[/tex]

We factor with the common factor method

x(x+1)=0

We equal each factor to zero and get the results

x=0

(x+1)=0

x=-1

The two values ​​that satisfy both equations are 0 and -1

Write a program that will compare two names. The program prompts the user to enter two names for a comparison. If the names are same, the program states that. If the names are different, the program converts both names to UPPERCASE, and compares then again. If they are equal, the programs displays a message stating that names are equal if CASE is ignored. Otherwise, the program prints names with a message that names are not equal.

Answers

Answer:

We can use comparison operator 'Equals to' (==) to compare two strings.

Explanation:

We can use conditional statement 'if else' to put conditions. If statement contains boolean expression.If statement is followed by else block. If the boolean expression evaluates to true, then the if block of code is executed, otherwise else block of code is executed.

If we want to compare two strings with uppercase, then we can convert the input strings given by users using ToUpper() string function.

For example,

 string abc;

string uppercase= abc.ToUpper(); // gives ABC as result

I have written a program using c# as a  programming language in a word document and attached the same. Please find. Thank you!

Unlike the climate of the other islands of Hawaii, ________Kona contains 54 different temperate zones.
that of
this is
these are
those that

Answers

Answer:

None

Explanation:

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

Unfortunately, none of these answers would be factually nor grammatically correct. For Starters Kona is not an island Kailua-kona is the capital town of the Big Island in Hawaii.

Regardless of that fact, none of the answers given would make the sentence make sense grammatically. The Only way for the sentence to make sense grammatically, the answer either needs to stay blank or be Kailua. Like so...

Unlike the climate of the other islands of Hawaii, Kailua Kona contains 54 different temperate zones.

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

The sentence should be completed with 'that of,' making it read 'Unlike the climate of the other islands of Hawaii, that of Kona contains 54 different temperate zones.' Hawaii's diverse climates are heavily influenced by altitudinal variations and topographical features, leading to a range of climatic zones across its islands.

The correct completion for the sentence provided is that of. Hence, the complete sentence reads: Unlike the climate of the other islands of Hawaii, that of Kona contains 54 different temperate zones.

Hawaii is known for its diverse climate conditions. While most islands in the Pacific have a tropical type A climate, Hawaii has a variety of climatic zones due to its topography and altitudinal variation. For instance, Kauai, one of the Hawaiian Islands, is one of the wettest places on Earth, receiving more than 460 inches of rain per year. This high level of precipitation is due to the rain shadow effect caused by Mt. Wai'ale'ale. The windward side of this mountain receives substantial rainfall while the leeward side remains semi-desert due to the rain shadow.

Japan, another island group, also presents diverse climates. One of its islands, Hokkaido, features a type D climate and is known for snowfall that supports activities like downhill skiing. Japan's diverse climate is a result of its mountainous terrain, with active volcanoes like Mount Fuji influencing the regional climate conditions.

Analytical processing uses multi-levelaggregates, instead of record level access.? True? False

Answers

Answer:

True.

Explanation:

Analytical processing uses multi-levelaggregates, instead of record level access.

There is a relationship between the grain and thedimensionso Trueo False

Answers

Answer:

True.

Explanation:

There is a relationship between the grain and the dimensions.

What is the output of the following program segment?

int x = 0;

++x;

x++;

++x;

x++;

++x;

Answers

Answer:

5

Explanation:

The operator 'x++' is called the post increment operator, it is assign first and then increment.

The operator '++x' is called the pre increment operator, it is increment first  and then increment.

So, both are increment operator which increment the value by one.

initially the value of x is zero,

++x increase the value to 1 and than assign to x.

then, x++ it assign to x first then increment by 1 means x=2

and so on.....

Their are five increment operator are used. so, the result is 5.

The true or false questions.

Given the command: find /home -name 'f*' If there are matched files, then all the printed paths of the matched files will start with /home

Answers

Answer:

true

Explanation:

The command:

find /home -name 'f*'

will match all the files starting with the character 'f' which are present in the /home directory.

Hence, all the printed paths of the matched files will start with /home.

For example:

/home/funny.txt

/home/function.log

/home/free.py

The governor of New York that he has directed the state's Division of Criminal Justice Services to gather DNA from the broadest range of convicted criminals permitted under current law. This will result in the collection of as many as 40,000 DNA profiles. The additional DNA profiles may be obtained as a condition of release on parole or probation, as a condition of participation in the Department of Correctional Services' temporary release programs, and as a condition of a plea bargain. This _____ will be used for solving crimes.

database
network
mainframe
combination
conglomerate

Answers

Answer:

Database

Explanation:

Database.

The State’s DNA database is a database of DNA profiles that can be made public or private and can be used in the analysis of genetic fingerprinting for criminology. There are certain laws that come with how DNA databases are supposed to be handled.

Final answer:

The correct answer is "database". The additional DNA profiles directed by the New York governor will be added to a database and used for crime solving. This database, part of CODIS, facilitates forensic DNA analysis to match suspects with evidence, exonerate the innocent, and help solve crimes. The expansion of DNA collection in criminal justice raises important discussions regarding legal and privacy concerns.

Explanation:

The governor of New York has initiated an expansion of DNA collection to include the broadest range of convicted criminals allowed under current law, potentially adding up to 40,000 DNA profiles to the database. Such a database is crucial for the enhancement of law enforcement capabilities, allowing for the solving of crimes through forensic DNA analysis. This database is part of a larger system known as CODIS (Combined DNA Index System), which is maintained by the Federal Bureau of Investigation (FBI) and plays a vital role in criminal justice by matching DNA from crime scenes with potential suspects, exonerating the innocent, and providing leads in cold cases. The unique nature of DNA makes it an incredibly powerful tool, as the statistical power of discrimination from DNA analysis is profound, often making the probability of coincidental matches incredibly slim.

The use of DNA evidence in the legal justice system is not without its controversy, as questions around privacy and the extent of DNA collection arise. However, legal precedents such as State v. Franklin and U.S. v. Mitchell support the practice of taking DNA swabs even when individuals are only arrested, not convicted, under certain conditions. Additionally, the technology has proven beneficial, as evidenced by the work of the Innocence Project, which has used DNA fingerprinting to free wrongly accused individuals. DNA profiles in CODIS contribute to this by facilitating the identification of the true perpetrators and preventing miscarriages of justice.

Decision variables reflectthe level of effectiveness of a system.
True
False

Answers

Answer: False

Explanation:

Decision variables does not reflect the level of effectiveness of a system as, decision variable are directly controlled by decision controller, and there are components that there value can be undetermined for the decision controller. All the mathematical equations defined the accurate relationship between the variable of the system and the measurement of the system effectiveness. Decision variables are basically referred as the basic objective and the constraints list.

______ is the ability of a system to do more than one thing at a time. A. Multibusing c. online processing b. Multiprocessing d. Batch processing

Answers

Answer:

Multiprocessing.

Explanation:

In multiprocessing the system uses two or more processors to do more tasks simultaneously.

Final answer:

The ability of a system to do more than one thing at a time, known as multiprocessing, allows for the concurrent execution of multiple tasks by using multiple processing units or cores.

Explanation:

The ability of a system to do more than one thing at a time is known as multiprocessing. Multiprocessing systems have multiple processing units, commonly referred to as cores, which can execute tasks simultaneously. Unlike single-core systems, which can only handle one operation at a time, multiprocessing systems can perform multiple tasks concurrently, improving overall system efficiency and performance.

In the context of computers and operating systems, this capability allows a computer to run different processes at the same time, such as running a web browser while also running a spreadsheet application or virus scan. The operating system manages these processes and allocates processor time in such a way that users experience the tasks as though they are happening simultaneously.

By contrast, multibusing refers to a system where multiple buses allow many devices to connect and communicate with the CPU at the same time, while online processing is processing that is active and connected to a network. On the other hand, batch processing is a method of processing data in which transactions are collected and processed all at once at a particular time.

Write a function def countWords(stri ng) that returns a count of all words in the string string. Words are separated by spac For example, countWords ("Mary had a little lamb") should return 5.

Answers

Answer:

def w_count(s):

   return(len(s.split()))

st=input('Enter a string:')    

print("Number of words in given string=",w_count(st))

Explanation:

The operation ____ is used to remove the top element from the stack.

A.
pop

B.
push

C.
peek

Answers

Answer:

pop

Explanation:

stack is a data structure perform the operation in specific order. The order stack follow is last in first out (LIFO).

push function is used to insert the element at the top of the stack.

peek is used to retrieve or fetch the element at the top.

pop is used to remove or delete the top element from the stack.

Therefore, the option A is correct.

When security issues are a special concern, companies want to take extra steps to make sure that transmissions can’t be intercepted or compromised. In these situations they will use a network that encrypts the packets before they are transferred over the network. This solution is called a(n) ___________________.

Answers

Answer:

VPN(virtual private network)

Explanation:

A VPN or Virtual Private Network enables you to establish a safe Internet connection to another network. You can use VPNs to access regional websites, shield your browsing activity from government Wi-Fi prying eyes, and more.

For security purposes organization uses different methodologies to secure their data. VPN encrypts the packets before they are transferred over network.

Which Numpy function do you use to create an array? (Points : 1) np
np.array
np.numpy
numpy

Answers

Answer:

The correct option is np.array

Explanation:

Numpy is a library to perform numerical calculation in python. It allows us to create and modify vectors, and make operations on them easily. Numpy arrays are an excellent alternative to python lists. Some of the key advantages of numpy arrays are that they are fast, easy to work with, and offer users the opportunity to perform calculations through full arrays.

To start using numpy, the library must be imported:

import numpy as np

The most common way to create a vector or matrix already initialized is with the np.array function, which takes a list (or list of lists) as a parameter and returns a numpy matrix. The numpy arrays are static and homogeneous typing. They are more efficient in the use of memory.

Example:

list = [25,12,15,66,12.5]

v = np.array (list)

print (v)

Write a function that converts a C-string into an integer. For example, given the string “1234” the function should return the integer 1234. If you do some research, you will find that there is a function named atoi and also the stringstream class that can do this conversion for you. However, in this program, do not use any predefined functions and you should write your own code to do the conversion. Use the function in your C++ program

Answers

#include
using namespace std;

// Our custom atoi function to make your teacher very happy ;)
int myAtoi(char* str)
{
    int result = 0;

    for (int i = 0; str[i] != '\0'; ++i)
        result = result * 10 + str[i] - '0';

    return result;
}

Which logical relationship does the PDM usemost often?

Start to finish
Start to start
Finish to finish
Finish to start

Answers

Answer:

Finish to Start.

Explanation:

Finish to Start dependency also known as FS is most commonly used dependency type used between activities in PDM(Precedence Diagramming Method).For example :- in a software you cannot test a screen before it is developed,in construction you cannot paint a building before it is constructed. So we conclude that Finish to start is most commonly used.

Answer:

Finish to start

Explanation:

I looked it :) hoped it helped

True of False - use T or F An abstract class can have instances created using the constructor of the class.

Answers

Answer:

False

Explanation:

An instance of an abstract class cannot be created through the constructor of the class, because it does not have a complete implementation. Though, it is possible to have references of an abstract type class. Abstract classes are incomplete structures and you would have to build onto it before you are able to use it.

Which of the following does Moore's law predict?
a.The power of microprocessor technology doubles and its cost of production falls in half every 18 months.
b.The cost of microprocessors will increase as their power increases.
c.The price of microprocessors continues to fall, while their cost of production increases.
d.The demand for microprocessors continues to rise, while their supply falls.
e.The demand for microprocessor technology falls in half every 18 months.

Answers

Answer:

Hi!

The correct answer is the a.

Explanation:

The Moore's law is an a empirical law that Gordon Moore predicted doing some observations about how the density of the transistors on a integrated circuit was increasing over time.

For example, this law state that if you have an integrated circuit with: 1000 transistors in 1980 then in 1981 and six months later you will have the same integrated circuit with 2000 transistors, and so on..

Jan 1980: 1000 transistors.Jul 1981: 2000 transistors.Jan 1983: 4000 transistors.Jul 1984: 8000 transistors.

And that's the reason because its cost will fall too.

write a program for TIC TAC TOE in PYTHON

Answers

Answer: much too long to write here: see attached

Explanation:

Answer:hehe, sorry im a year late

board = ["-", "-", "-",

        "-", "-", "-",

        "-", "-", "-"]

current_player = 'X'

running = True

WINNER = None

def display_board():

   print(board[0] + ' | ' + board[1] + ' | ' + board[2])

   print(board[3] + ' | ' + board[4] + ' | ' + board[5])

   print(board[6] + ' | ' + board[7] + ' | ' + board[8])

def play():

   display_board()

   while running:

       handle_turns(current_player)

       switch_turns()

       check_if_game_over()

   if WINNER == 'X':

       print("The Play X won!")

   elif WINNER == 'O':

       print("The play O won!")

def handle_turns(player):

   position = int(input('Choose a location from 1-9: ')) - 1

   board[position] = player

   display_board()

def switch_turns():

   global current_player

   if current_player == 'X':

       current_player = 'O'

   else:

       current_player = 'X'

# Check to see if the game should be over

def check_if_game_over():

 check_for_winner()

 check_for_tie()

# Check if there is a tie on the board

def check_for_tie():

 # figure out the conditions for a tie

 global running

 if '-' not in board:

   running = False

# Check to see if somebody has won

def check_for_winner():

 global WINNER

 row_winner = check_rows()

 column_winner = check_columns()

 diagonal_winner = check_diagonals()

 if row_winner:

   WINNER = row_winner

 elif column_winner:

   WINNER = column_winner

 elif diagonal_winner:

   WINNER = diagonal_winner

 else:

   WINNER = None

# Check the rows for a win

def check_rows():

 global running

 if board[0] == board[1] == board[2] != '-':

   running = False

   return board[0]

 elif board[3] == board[4] == board[5] != '-':

   running = False

   return board[3]

 elif board[6] == board[7] == board[8] != '-':

   running = False

   return board[6]

 else:

   return None

# Check the columns for a win

def check_columns():

 global running

 if board[0] == board[3] == board[6] != '-':

   running = False

   return board[0]

 elif board[1] == board[4] == board[7] != '-':

   running = False

   return board[1]

 elif board[2] == board[5] == board[8] != '-':

   running = False

   return board[2]

 else:

   return None

# Check the diagonals for a win

def check_diagonals():

 global running

 if board[0] == board[4] == board[8] != '-':

   running = False

   return board[0]

 elif board[6] == board[4] == board[2] != '-':

   running = False

   return board[6]

 else:

   return None

play()

The true or false questions.

1.egrep can accept multiple filenames as input arguments.

Answers

Answer: True  

Explanation: yes, it is true that egrep can accept multiple filenames as input arguments for example egrep -r "text1/text2", so this will search in all the sub directories . E grep is also known as 'grep -E' which belongs to the group of grep function and we used egrep to separate multiple patterns for OR conditions. This is also very less time consuming if you are going to search multiple input arguments in multiple different logs at the same time.

Motivational appeals refer to

a- Values

b- Psychological needs

c- Emotions

d- All of thegiven options

Answers

Answer: D) All of the given options

Explanation:

Motivational appeals refers to the an emotional nature developed to increase individual values. It is a tool of emotions which target the psychological needs. It is a visualization of someone's desire and values and method of satisfying the emotions. Motivational appeals are divided into many categories like motivation and emotions.

What does it mean to catch an exception?

Answers

Answer:

An exception is an event, which occurs during the execution of a program, that disrupts the normal flow of the program's instructions. When an error occurs within a method, the method creates an object and hands it off to the runtime system. ... This block of code is called an exception handler.

What are the two main functions of user accounts in Active Directory? (Choose all that apply.) Allow users to access resources method for user authentication to the network Provide detailed information about a user Provide auditing details

Answers

Answer:

method for user authentication to the network

Provide detailed information about a user

Explanation:

An in AD, a user account consists of all the information that includes user names, passwords, and groups. All these information defines a domain user in which a user account has membership access to. With the advanced features of Kerbos, mutual authentication in user accounts to a service is achieved.

Answer:

-Allow users to access resources

-Method for user authentication to the network

Explanation:

User accounts in Active Directory give people and programs the access to resources in a windows domain. These accounts are used to allow people to access resources, manage the access users have to resources like files and directories and allow programs to be able to run in a particular context. According to this, the answer is that the two main functions of user accounts in Active Directory are: allow users to access resources and method for user authentication to the network.

Create your own unique Java application to read all data from the file echoing the data to standard output. After all data has been read, display how many data were read. For example, if 10 integers were read, the application should display all 10 integers and at the end of the output, print "10 data values were read"

Answers

Answer:

Output

The values read are:  

25

3

4

65

7

9

5

6

1

11

10 data values were read

Explanation:

Below is the Java program to read all data from the file echoing the data to standard output and finally displaying how many data were read:-

import java.io.File;

import java.io.FileNotFoundException;

import java.util.Scanner;

public class MyFileReader {

public static void main(String[] args){

 int num,counter=0;

 File file=new File("numbers.txt");

 try {

  Scanner input=new Scanner(file);

  System.out.println("The values read are: ");

  while(input.hasNext()){

   num=input.nextInt();

   System.out.println(num);

   counter+=1;

  }

  System.out.println(counter+" data values were read");

 } catch (FileNotFoundException e) {

  // TODO Auto-generated catch block

  e.printStackTrace();

 }

}

}

In doing a load of clothes, a clothes drier uses 18 A of current at 240 V for 59 min. A personal computer, in contrast, uses 3.0 A of current at 120 V. With the energy used by the clothes drier, how long (in hours) could you use this computer to "surf" the Internet?

Answers

Answer:

11.76 hours or 11 hours 45 minutes

Explanation:

Given

[tex]Current\ for\ drier = I_d = 18A\\Voltage\ for\ drier=V_d=240V\\Time\ for\ drier=t_d=59\ min[/tex]

We have to convert minutes into hours

So,

[tex]t=\frac{59}{60} = 0.98\ hours[/tex]

[tex]Current\ for\ Computer=I_c=3.0A\\Voltage\ for\ computer=V_c=120V[/tex]

As we are given that we have to find the time the computer will sustain using the same energy as the drier. So,

[tex]I_d*V_d*t_d=I_c*V_c*t_c\\18*240*0.98=3*120*t_c\\t_c*360=4233.6\\t_c=\frac{4233.6}{360}\\ t_c=11.76\ hours[/tex]

Converting into minutes will give us: 11 hours 45 minutes

Therefore, with the same energy used by the drier, the computer can be used 11.76 hours to surf the internet ..

Other Questions
For many years Futura Company has purchased the starters that it installs in its standard line of farm tractors. Due to a reduction in output, the company has idle capacity that could be used to produce the starters. The chief engineer has recommended against this move, however, pointing out that the cost to produce the starters would be greater than the current $10.80 per unit purchase price: Per Unit Total Direct materials $ 6.00 Direct labor 2.20 Supervision 1.50 $ 97,500 Depreciation 1.10 $ 71,500 Variable manufacturing overhead 0.80 Rent 0.30 $ 19,500 Total product cost $ 11.90 A supervisor would have to be hired to oversee production of the starters. However, the company has sufficient idle tools and machinery so that no new equipment would have to be purchased. The rent charge above is based on space utilized in the plant. The total rent on the plant is $83,000 per period. Depreciation is due to obsolescence rather than wear and tear. Required: 1. Determine the total relevant cost per unit if starters are made inside the company. PLEASE HURRYIn the diagram of circle O, what is the measure of ABC?I WILL GIVE BRAINLIEST Find the equation of the line through (2,9)(1,6)(-7,-6) When figures (including points) are rotated 270 counterclockwise about the origin, it is also the same rotating figures clockwise by what other degree amount? Please help! Misaka solved the radical equation x 3 = square root of 4x-7 but did not check her solutions. (x 3)2 = square root of 4x-7^2 x2 6x + 9 = 4x 7 x2 10x + 16 = 0 (x 2)(x 8) = 0 x = 2 and x = 8 Which shows the true solution(s) to the radical equation x 3 = square root of 4x-7 x = 2 x = 8 x = 2 and x = 8 There are no true solutions to the equation. The frequency factor and activation energy for a chemical reaction are A = 4.23 x 1012 cm3/(molecules) and Ea = 12.9 kJ/mol at 384.7 K, respectively. Determine the rate constant for this reaction at 384.7 K. Find the GCF of 52 and 84. What is the vertex form of y=x^2-6x+6 Emilio is writing a persuasive letter to his principal on improving school lunches. Which of the following would be the best thesis for Emilio to use? Two wires are perpendicular to each other and form a coordinate axis. The current in the vertical wire is going up (in the positive y direction) and the current in the horizontal wire is going to the right(in the positive x direction). Where is the net magnetic field equal to zero? The return of merchandise to the supplier for credit using the perpetual inventory system would include a: A. debit to Accounts Payable and a credit to Merchandise Inventory. B. debit to Accounts Receivable and a credit to Accounts Payable. C. debit to Sales Returns and Allowances and a credit to Merchandise Inventory. D. debit to Accounts Payable and a credit to Purchases Returns and Allowances What is the purpose of a unit conversion? Drag the titles to the boxes to form correct pairs .not all titles will be used. Match the pairs of equation that represents concentric circles. Pleaseeeeeeee help The site of communication between two neurons or between a neuron and another effector cell is called a ___________.a. Cleftb. Synapsec. Pre and post neuronal axis which methods could you use to calculate the y-coordinate of the midpoint of a vertical line segment with endpoints at (0,0) and (0,15). Check all that apply.a. Divide 1 by 15b. Count by handc. Add the endpointsd. Divide 15 by 2 Although not so common now, consider a phone plan that does not have unlimited texting. Your base plan costs you $30 a month and each text sent or received is only 12 cents. Write an equation to describe the total monthly cost of your bill with x text messages and y cost.In one month 217,000 messages were sent between two brothers in Philadelphia. What was their approximate bill? (This is a true story!) (3 1/6 - 1 5/8) divided by (8 3/4 - 1.35) At the first meeting, the committee voted on ________ bylaws. A. it's B. its C. their Show that the LHS = RHS. In each function, x is the horizontal distance the ball travels in meters, and yrepresents the height.Whose soccer ball reaches a greater height?