5. Write the output of the following program codes

publicstaticvoidmain(String []args)
{
int a=20
String b=”Hello”;
System.out.println(“the no is”+a);
System.out.print(“Hello”);
System.out.println(“#######”);
System.out.print(“Bye:””);
}

Answers

Answer 1

Answer:

see picture

Explanation:

There are several syntax errors in the program that need to be fixed:

No spaces in the declarationNo semicolon after variable a declarationIncorrect double quotes everywhere Extra double quote after "Bye:"

So the actual answer would be: the compiler will report syntax errors.

5. Write The Output Of The Following Program Codes Publicstaticvoidmain(String []args) { Int A=20 String
Answer 2

Answer:

the no is20

Hello#######

Bye:

Reason: Programming, hoped this is right!


Related Questions

what is 30 x 30 x 30 x 30

Answers

810,000 i asked siri

Answer:

its is 810000

Explanation:

hope this helps

Write a program that takes in a positive integer as input, and outputs a string of 1's and 0's representing the integer in binary. For an integer x, the algorithm is:
As long as x is greater than 0
Output x % 2 (remainder is either 0 or 1)
x = x // 2
Note: The above algorithm outputs the 0's and 1's in reverse order. You will need to write a second function to reverse the string.
Ex: If the input is:
6
the output is:
110
Your program must define and call the following two functions. The function integer_to_reverse_binary() should return a string of 1's and 0's representing the integer in binary (in reverse). The function reverse_string() should return a string representing the input string in reverse.
def integer_to_reverse_binary(integer_value)
def reverse_string(input_string)
Note: This is a lab from a previous chapter that now requires the use of a function.

Answers

Answer:

#include <iostream>//header file

#include <string>//header file

using namespace std;

string integer_to_reverse_binary(int integer_value)//defining a method integer_to_reverse_binary  

{

   string ret = "";//defining string variable

   while (integer_value > 0) //using while loop to check integer_value value is greater than 0

   {

       ret += '0' + (integer_value % 2);//adding zeros in remainder value

       integer_value /= 2;//holding quotient value

   }

   return ret;//return string value

}

string reverse_string(string input_string)//defining a method reverse_string that holds a parameter user_String  

{

   string result;//defining a string variable  

   for (int i = 0; i < input_string.length(); ++i)//use for loop to calculate value  

   {

       result += input_string[input_string.length()-i-1];//add value in result variable

   }

   return result;//result result variable value

}

int main()//defining main method  

{

   int num;//defining integer variable

   string str;//defining string variable

   cin >> num;//input num value

   str = integer_to_reverse_binary(num);//use str variable to call the integer_to_reverse_binary method

   cout << reverse_string(str) << endl;//printing the reverse_string method value

   return 0;

}

Output:

6

110

Explanation:

In this code two string method "integer_to_reverse_binary and reverse_string" is defined that holds one parameter "integer_value and input_string".

In the first method a string variable is defined, that use the while loop to check integer value is greater than 0 and add zeros in the value and return its value as a string.

In the second it reverse the string value and store into the result variable, and in the main method the "num and str" variable is defined, and in the num it takes integer value and pass into the above method and print its return value.    

Someone please help ASAP will brainlist

Answers

I think it’s audio mixer panel

LAB: Even/odd values in an array
Write a program that reads a list of integers, and outputs whether the list contains all even numbers, odd numbers, or neither. The input begins with an integer indicating the number of integers in the list. The first integer is not in the list. Assume that the list will always contain less than 20 integers.
Ex: If the input is:
5 2 4 6 8 10
the output is:
all even Ex:
If the input is:
5 1 -3 5 -7 9
the output is:
all odd
Ex: If the input is:
5 1 2 3 4 5
the output is:
not even or odd
Your program must define and call the following two methods. isArrayEven() returns true if all integers in the array are even and false otherwise. isArrayOdd() returns true if all integers in the array are odd and false otherwise.
public static boolean isArrayEven(int[] arrayValues, int arraySize)
public static boolean isArrayOdd(int[] arrayValues, int arraySize)
LabProgram.java
Load default template
1 import java until Scanner
2
3 public class ropa
4
5 /* Define your method here */
6
7 public static void main(Strist args) {
8 /* Type your code here */
9 }
10
11
11

Answers

Answer:

In Java:

import java.util.*;

public class Main{

public static boolean isArrayEven(int[] arrayValues, int arraySize){

   boolean val = true;

   int odd = 0;

   for(int i =0;i<arraySize;i++){

       if(arrayValues[i]%2!=0){

           odd++;        }}

   if(odd>0){

       val = false;}

   return val;

}

public static boolean isArrayOdd(int[] arrayValues, int arraySize){

   boolean val = true;

   int even = 0;

   for(int i =0;i<arraySize;i++){

       if(arrayValues[i]%2==0){

           even++;}}

   if(even>0){

       val = false;}

   return val;

}

public static void main(String[] args) {

 Scanner input = new Scanner(System.in);

 System.out.print("Array Length: ");

 int n = input.nextInt();

 int[] array = new int[n];

 System.out.print("Array Elements: ");

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

     array[i] = input.nextInt();  }

boolean even = isArrayEven(array,n);

 boolean odd = isArrayOdd(array,n);  

 if(even == true && odd == false){

     System.out.print("all even");  }

 else if(even == false && odd == true){

     System.out.print("all odd");  }

 else{

     System.out.print("not even or odd");  }

}

}

Explanation:

This declares the isArrayEven method

public static boolean isArrayEven(int[] arrayValues, int arraySize){

This initializes the return value to true

   boolean val = true;

This initializes the frequency of odd numbers to 0

   int odd = 0;

This iterates through the array

   for(int i =0;i<arraySize;i++){

This checks if the current array element is odd

       if(arrayValues[i]%2!=0){

If yes, the frequency of odd numbers is incremented by 1

           odd++;        }}

If the frequency of odd is greater than 1, then the array is not an even array

   if(odd>0){

       val = false;}

This returns true or false

   return val;

}

This declares the isArrayOdd method

public static boolean isArrayOdd(int[] arrayValues, int arraySize){

This initializes the return value to true

   boolean val = true;

This initializes the frequency of even numbers to 0

   int even = 0;

This iterates through the array

   for(int i =0;i<arraySize;i++){

This checks if the current array element is even

       if(arrayValues[i]%2==0){

If yes, the frequency of even numbers is incremented by 1

           even++;}}

If the frequency of even is greater than 1, then the array is not an odd array

   if(even>0){

       val = false;}

This returns true or false

   return val;

}

The main method begins here

public static void main(String[] args) {

 Scanner input = new Scanner(System.in);

This prompts for length of array:  System.out.print("Array Length: ");

This gets input for length of array  int n = input.nextInt();

 int[] array = new int[n];

This prompts for array elements: System.out.print("Array Elements: ");

This gets input for the array

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

     array[i] = input.nextInt();

 }

This calls the isArrayEven method and the result is stored in even

boolean even = isArrayEven(array,n);

This calls the isArrayOdd method and the result is stored in odd

 boolean odd = isArrayOdd(array,n);  

The following prints the result of the methods

 if(even == true && odd == false){

     System.out.print("all even");  }

 else if(even == false && odd == true){

     System.out.print("all odd");  }

 else{

     System.out.print("not even or odd");  }

______ are special characters that allow you to
search for multiple words at the same time.
-Find expressions
-Defined expressions
-Regular expressions
-Search expressions

Answers

Answer:

Defined Expression

Explanation:

This will be your answer

Pls help I will give points

Answers

Answer:

phone !!

Explanation:

since it's a mobile app, that would apply to a handheld device !!

i hope this helps !!

Answer:

any answer except a desktop or laptop, i.e. tablets, phones, pda's, etc.

Explanation:

Mobile apps are designed for handheld mobile devices, even though laptops are technically mobile, they're based upon desktop computer arcitechture, in which mobile apps will not run, I hope this helps.

40 POINTS help please

Answers

Answer:

Explanation:

nice dave

Given three subroutines of 550, 290, and 600 words each, if segmentation is used then the total memory needed is the sum of the three sizes (if all three routines are loaded). However, if paging is used, then some storage space is lost because subroutines rarely fill the last page completely, and that results in internal fragmentation. Determine the total amount of wasted memory due to internal fragmentation when the three subroutines are loaded into memory using each of the following page sizes:
a. 100 words
b. 600 words
c. 700 words
d. 900 words

Answers

The answer is D i got it right when I did it

Typically, external fragmentation wastes one-third of memory. Internal fragmentation occurs when space inside a designated region is wasted. Thus, option D is correct.

What wasted memory due to internal fragmentation?

The mounted-sized block is allotted to a method whenever a request for memory is made. Internal fragmentation is the term used to describe the situation where the memory allotted to the method is a little bigger than the amount requested.

Normally, memory is allocated in uniformly sized blocks, but sometimes a process doesn't use the entire block, leading to internal fragmentation.

Memory fragmentation occurs when a memory allocation request can be satisfied by the whole amount of accessible space in a memory heap, but no single fragment (or group of contiguous fragments) can.

Therefore,  when the three subroutines are loaded into memory using each of the following page sizes 900 words.

Learn more about memory here:

https://brainly.com/question/16953854

#SPJ5

Prompt
Using complete sentences post a detailed response to the following.

While visiting a friend’s house, you hear their siblings arguing over whether or not “visual novels” are “real games” or not. You hear Boris, the older sibling, saying “…and you just sit there and click to read the next line—you might as well be reading a comic book and turning a page and call that a ‘game’!” When they find out you’ve been taking a class on game design, they ask you to settle the argument for them. What would you say to them?

Answers

Prompt is a game code technically a tiko machine that turns into machines that fraud into the new line that put in a friends house.

Answer:

As long as it works like a game and not a book i would say its a game.

Explanation:

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

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

Answers

Answer:

D Mark as Unread

Explanation:

I just took the test

1. Write a class Name that stores a person’s first, middle, and last names and provides the following methods:
public Name(String first, String middle, String last)—constructor. The name should be stored in the case given; don’t convert to all upper or lower case.
public String getFirst()—returns the first name
public String getMiddle()—returns the middle name
public String getLast()—returns the last name
public String firstMiddleLast()—returns a string containing the person’s full name in order, e.g., "Mary Jane Smith".
public String lastFirstMiddle()—returns a string containing the person’s full name with the last name first followed by a comma, e.g., "Smith, Mary Jane".
public boolean equals(Name otherName)—returns true if this name is the same as otherName. Comparisons should not be case sensitive. (Hint: There is a String method equalsIgnoreCase that is just like the String method equals except it does not consider case in doing its comparison.)
public String initials()—returns the person’s initials (a 3-character string). The initials should be all in upper case, regardless of what case the name was entered in. (Hint: Instead of using charAt, use the substring method of String to get a string containing only the first letter—then you can upcase this one-letter string. See Figure 3.1 in the text for a description of the substring method.)
public int length()—returns the total number of characters in the full name, not including spaces.
2. Now write a program TestNames.java that prompts for and reads in two names from the user (you’ll need first, middle, and last for each), creates a Name object for each, and uses the methods of the Name class to do the following:
a. For each name, print
first-middle-last version
last-first-middle version
initials
length
b. Tell whether or not the names are the same.
Here is my code. I keep getting a method error with getFullName in the Name.java file. Please help me re-write the code to fix this issue.
//Name.java
public class Name
{
private String firstName, middleName, lastName, fullName;
public Name(String first, String middle, String last)
{
firstName = first;
middleName = middle;
lastName = last;
String fullName = firstName '+' middleName '+' lastName;
}
public String getFirst()
{
return firstName;
}
public String getMiddle()
{
return middleName;
}
public String getLast()
{
return lastName;
}
public String firstMiddleLast()
{
return firstName + ' ' + middleName + ' ' + lastName;
}
public String lastFirstMiddle()
{
return lastName + ", " + firstName + ' ' + middleName;
}
public boolean equals(Name otherName)
{
return fullName.equalsIgnoreCase(otherName.getFullName());
}
public String initials()
{
return firstName.toUpperCase().substring(0,1)
+ middleName.toUpperCase().substring(0,1)
+ lastName.toUpperCase().substring(0,1);
}
public int length()
{
return firstName.length() + middleName.length() + lastName.length();
}
}
//NameTester.java
import java.util.Scanner;
public class NameTester
{
public static void main(String[] args)
{
Scanner input = new Scanner(System.in);
String firstName1 = new String();
String middleName1 = new String();
String lastName1 = new String();
String firstName2 = new String();
String middleName2 = new String();
String lastName2 = new String();
System.out.print("\nPlease enter a first name: ");
firstName1 = input.nextLine();
System.out.print("Please enter a middle name: ");
middleName1 = input.nextLine();
System.out.print("Please enter a last name: ");
lastName1 = input.nextLine();
Name name1 = new Name(firstName1, middleName1, lastName1);
System.out.print("\nPlease enter another first name: ");
firstName2 = input.nextLine();
System.out.print("Please enter another middle name: ");
middleName2 = input.nextLine();
System.out.print("Please enter another last name: ");
lastName2 = input.nextLine();
Name name2 = new Name(firstName2, middleName2, lastName2);
System.out.println();
System.out.println(name1.firstMiddleLast());
System.out.println(name2.firstMiddleLast());
System.out.println(name1.lastFirstMiddle());
System.out.println(name2.lastFirstMiddle());
System.out.println(name1.initials());
System.out.println(name2.initials());
System.out.println(name1.length());
System.out.println(name2.length());
if (name1.equals(name2))
System.out.println("The names are the same.");
else
System.out.println("The names are not the same.");
}
}

Answers

i dont know the answer lol thats too long

Explanation:

You want to substitute one word with another throughout your
document. What tool(s) should you use?
O Cut and Paste
O Dictionary
O Find and Replace
O Copy and cut

Answers

I’m pretty sure it’s “Find and paste”

What is another name for control structure
Object
Sequence
Loop
Decision

Answers

Answer: Sequence

Brainliest me and reply if im right!

What will be the output?
class num:
def __init__(self, a);
self.number = a
def_mul__(self,b):
* return self.number + b.number
#main program
numA = num(8)
numB = num(4)
result = numA* numb
print(result)
O4
O 12
O 32
4096

Answers

Answer : 32

Explanation

the variable a & b and A & B are different. So the only program that work is at #main program.

Hence that A = 8 and B = 4 and the result is A * B so 8*4=32.

Sorry if im wrong

32  will be the output of this question

What is the output?

An industry's output is the total amount of goods and services generated within that industry over a specific time period and sold to customers or other firms. An industry's annual production of boxes of cookies or tons of sugar, for instance, can be considered output.

The quantity a person produces in a particular period of time. d.: energy or power given or produced by a device or system (as for storage or for conversion in kind or in characteristics)Here is how we might define these two phrases in business terms: The results are what the business requires or wants to accomplish. The acts or things that help achieve an outcome are called the outputs.

Variables a and b and A and B are distinct. Thus, the #main program is the only program that functions. Because A = 8 and B = 4, the outcome is A * B, which equals 8*4=32.

Therefore,  the output of this question

Learn more about output here:

https://brainly.com/question/13736104

#SPJ5

What is the function for displaying differences between two or more scenarios side by side?
Macros
Merge
Scenario Manager
Scenario Summary

Answers

Answer:

its d

Explanation:

Answer:

scenario summary

Explanation:

A room has one door, two windows, and a built-in bookshelf and it needs to be painted. Suppose that one gallon of paint can paint 120 square feet. Write a program that prompts the user to input the length and width (in feet) of: The door Each window The bookshelf And the length, width, and height of the room. The program outputs: The amount of paint needed to paint the walls of the room.

Answers

Answer:

In Python:

doorLength = float(input("Door Length: "))

doorWidth = float(input("Door Width: "))

windowLength1 = float(input("Window 1 Length: "))

windowWidth1 = float(input("Window 1 Width: "))

windowLength2 = float(input("Window 2 Length: "))

windowWidth2 = float(input("Window 2 Width: "))

shelfLength = float(input("Bookshelf Length: "))

shelfWidth = float(input("Bookshelf Width: "))

totalarea = doorLength * doorWidth + windowLength1 * windowWidth1 + windowLength2 * windowWidth2 + shelfLength*shelfWidth

gallons = totalarea/120

print("Gallons: "+str(gallons))

Explanation:

The next two lines get the dimension of the door

doorLength = float(input("Door Length: "))

doorWidth = float(input("Door Width: "))

The next two lines get the dimension of the first window

windowLength1 = float(input("Window 1 Length: "))

windowWidth1 = float(input("Window 1 Width: "))

The next two lines get the dimension of the second window

windowLength2 = float(input("Window 2 Length: "))

windowWidth2 = float(input("Window 2 Width: "))

The next two lines get the dimension of the shelf

shelfLength = float(input("Bookshelf Length: "))

shelfWidth = float(input("Bookshelf Width: "))

This calculates the total area of the door, windows and bookshelf

totalarea = doorLength * doorWidth + windowLength1 * windowWidth1 + windowLength2 * windowWidth2 + shelfLength*shelfWidth

This calculates the number of gallons needed

gallons = totalarea/120

This prints the number of gallons

print("Gallons: "+str(gallons))

Pls awnser I will mark brainliest as soon as possible

Answers

what are the multiple choice answers?

Answer:

Andriod

Explanation:

Your computer system looses power while you are working on a project for a very important client

Answers

isljgaek jadkghdkjhasdkjfhadskj afhdsfkjdahk dh

Answer:

I never knew that, thank you for telling me! I'll note that down

CH4 has how many of each type of atom?

Answers

Its easy that moderators that see this answer can think that my answer isn't without explanation.

• Type of atom C (Carbon)

C = 1

• Type of atom H (Hydrogen)

H = 4

You dont understand? JUST SEE THE FORMULA C MEANS ONLY HAVE 1 CARBON ATOM AND H4 MEANS 4 ATOM OF HYDROGEN

oK. have a nice day hope you understands

EASY In the image, what will be the result of pressing the Delete key
TWO times?
O Determation
O Determination
O Determinion
O Determition

Answers

D would be the answer
Determation I’m guessing

In the computing environment the numerical value represented by the pre-fixes kilo-, mega-, giga-, and so on can vary depending on whether they are describing bytes of main memory or bits of data transmission speed. Research the actual value (the number of bytes) in a Megabyte (MB) and then compare that value to the number of bits in a Megabit (Mb). Are they the same or different

Answers

Answer:

1024 bytes in a megabyte and there are 8000000 bits in a megabyte. They are different.

Explanation:

There are 8000000 bits and 1024 bytes in one megabyte. They are unique.

What is Megabyte?

The megabyte is a multiple of the digital informational unit byte. The suggested unit sign for it is MB. The International System of Units unit prefix mega is a multiplier of 1000,000. As a result, one megabyte is equal to one million bytes of data.

About a million bytes make up a megabyte (or about 1000 kilobytes). Typically, a few megabytes might be required for a 10-megapixel digital camera photograph or a brief MP3 music clip.

1000000 bytes make up one megabyte (decimal). In base 10, 1 MB equals 106 B. (SI). 1048576 bytes make up a megabyte (binary). A megabyte can imply either 1,000,000 bytes or 1,048,576 bytes, according to the Microsoft Press Computer Dictionary. Apparently, Eric S.

To read more about Megabyte, refer to - https://brainly.com/question/2575232

#SPJ2

Vampire Diaries Trivia

Alaric.....?

What were the first vampires called?

How did Elena's parents die?

Answer correctly and you will get Brainliest and 10 points.

Answers

Answer:

Alaric Saltzman.

The Originals.

Car crash, ran off Wickery bridge.

Explanation:

Answer:

okkk I got this TVD since forever

Explanation:

Alaric Saltzman

They are called the original vampires (Mikael, Finn, Elijah, Klaus, Kol, and Rebekah)

Elena parents died on the way back home from picking up Elena from a party. They end up driving off the Wickery Bridge. Stefan saved Elena though he was going to save Elena dad first however her dad told Stefan to get Elena.

Which of the following is a contact force?
A. friction
B. magnetism
C. gravity
D. electricity

Answers

Answer:

A

Explanation:

Write a python 3 function named words_in_both that takes two strings as parameters and returns a set of only those words that appear in both strings. You can assume all characters are letters or spaces. Capitalization shouldn't matter: "to", "To", "tO", and "TO" should all count as the same word. The words in the set should be all lower-case. For example, if one string contains "To", and the other string contains "TO", then the set should contain "to".
1.Use python's set intersection operator in your code.
2.Use Python's split() function, which breaks up a string into a list of strings. For example:

sentence = 'Not the comfy chair!'
print(sentence.split())
['Not', 'the', 'comfy', 'chair!']
Here's one simple example of how words_in_both() might be used:

common_words = words_in_both("She is a jack of all trades", 'Jack was tallest of all')

Answers

Answer:

def words_in_both(a, b):

 a1 = set(a.lower().split())

 b1 = set(b.lower().split())

 return a1.intersection(b1)

common_words = words_in_both("She is a jack of all trades", 'Jack was tallest of all')

print(common_words)

Explanation:

Output:

{'all', 'of', 'jack'}

The program returns the words which exists in both string parameters passed into the function. The program is written in python 3 thus :

def words_in_both(a, b):

#initialize a function which takes in 2 parameters

a1 = set(a.lower().split())

#split the stings based on white spaces and convert to lower case

b1 = set(b.lower().split())

return a1.intersection(b1)

#using the intersection function, take strings common to both variables

common_words = words_in_both("She is a jack of all trades", 'Jack was tallest of all')

print(common_words)

A sample run of the program is given thus :

Learn more : https://brainly.com/question/21740226

(15) You are a Pascal teacher (a very good programmer using assembly language(i.e., machine language) of your local machine). You are given only the following programmes:(at) A compiler written in P-code: translate a program in Pascal to one in P-code(P-code is very close to your local machine language).(b) A P-code interpreter written in Pascal: able to interpret any program writtenin P-code.a) (10) What will you do (with minimal effort) to run the Pascal programs yourstudents submit on your local machine

Answers

If you Could out A B C D separate that would help

Juan is writing a new program using Python and wants to make sure each step is located on its own line. Which principal of programming is Juan following?

Hand coding
Line coding
Planning & Design
Sequencing
PLEASE HURRYYY THIS IS A FINAL EXAM :C

Answers

Answer:

Its sequencing or planning and design not 100%

Explanation:

Answer:

its sequencing

Explanation:

Overview
A big group of 15 guests is getting together at a restaurant for a birthday. The restaurant has 3 tables that can each seat only 5 people. Below you can find some information about the people who are attending the party.

Aysha, Ben, Carla, Damien, Eric, Fan, Genaro, Hannah, Isaias, Jessica, Kyla, Laila, Max, Nazek, Owen

Close Friends (Try to put them together)
Aysha and Damien
Max and Isaias
Nazek and Laila
Owen and Genaro
Ben and Jessica
Genaro and Eric
In a Fight (Try to keep them apart)
Aysha and Genaro
Ben and Hannah
Fan and Max
Damien and Laila
Isaias and Owen
Kyla and Jessica
Objective
Find the best possible arrangement of guests at the party. Draw your solution in the space below. To help you can cross out the letters of the names you’ve assigned in the row below.

A
B
C
D
E
F
G
H
I
J
K
L
M
N
O

Answers

Answer:

the answer is in the image below:

Explanation:

Assuming even parity, find the parity bit for each of the following data units. a. 1001011 b. 0001100 c. 1000000 d. 1110111

Answers

Answer:

b. 0001100

Explanation:

1100

ANSWER QUICK 50 POINTS
You have the following code in your program.

from array import *
Which line of code would create an array?


D = array([2.5, 3, 7.4])

D = array('f',[2.5, 3, 7.4])

D = array['f',[2.5, 3, 7.4]]

D = array('f',2.5, 3, 7.4)

Answers

Answer:

D = array('f',[2.5, 3, 7.4])

Explanation:

is the answer

A variable must be declared with an array type before the array itself can be created. Array types resemble other Java types, with the exception that square brackets are placed after them ( [] ). Thus, option D is correct.

What line of code would create an array?

Using the NumPy library, new data types known as arrays can be produced in Python. NumPy arrays are created for numerical studies and only contain one data type.To build an array, use the array() method after importing NumPy. The input for the array() function is a list.

An array, also known as a database system, is a group of things or data that is held in a contiguous memory area in coding and programming. Several instances of the same kind of data are grouped together in an array.

Therefore, D = array('f',2.5, 3, 7.4)  line of code would create an array.

Learn more about array here:

https://brainly.com/question/22296007

#SPJ2

the internet is a network of only ten thousands computers true or false

With saying why true or why false

Thanks ​

Answers

Answer: False

Reason: There's a lot more then 10 thousand computers on the internet.

Other Questions
The length of a rectangle is 1yd more than twice the width and the area of a rectangle is 45y squared. Find the dimensions of the rectangle Need help please. Thank u Spanish Verb TensestraduccinIn a couple of weeks I'll quit this job and begin a new life. I sold my house and bought a van. Last night I put food, clothing, my camera, and a pillow-everything that I'll need-into the van. I can't believe it! Soon that vehicle will be my home. During the past five years I saved enough money to live for ten years. I won't be able to go to fancy restaurants or buy Armani suits, but I will be able to travel. I'll visit new places and I'll meet new people. I always dreamed of doing this. I won't be rich, but I'll be happy. For the first time in my life, my reality and my dreams will be the same. Give me 4 examples of things to consider as a sound designer?HURYYYYY IM TIMED Directions: Fill out the Activity Participation for Fitness Advocacy. Date Activity Nature of Organizers Participation Sponsoring (participant or Individuals, Groups organizer) Online HELP PLEASE!!! A flower bed is in the shape of a triangle, with a base of 11 feet and a height of 7 feet. What is the area of the flower bed? 38.5 square feet 42.5 square feet 72 square feet 77 square feet help me on question pleaseeeeeee 7. What is this enzymes optimum temperature?Enzyme Activity vs. Temperaturea. 60 degrees Celsiusb. 30 degrees Celsiusc. 10 degrees Celsiusd. 40 degrees Celsius 1. Cardiorespiratory Fitnesswhat are 4 activities u can do for cardio! A logo is in the shape of a circle. The radius of the logo is 4cm.What is the area of the logo? Read the sentences.People around the world are concerned. They are concerned about climate change. The oceans affect the climate. It makes sense to study the oceans.What is the best way to revise and combine the sentences to improve fluency?People around the world are concerned about climate change, and the oceans affect the climate, and it makes sense to study the oceans.People around the world are concerned about climate change. Given that the oceans affect the climate, it makes sense to study the oceans.People around the world are concerned; they are concerned about climate change. The oceans affect the climate; it makes sense to study the oceans.People around the world are concerned, and they are concerned about climate change. The oceans affect the climate, and it makes sense to study the oceans. PLZ HELP ASAP. I need the sentences below written in the proper format! Ex: Meine Mutter/ ein blauer Rock/ eine gelb BluseAnswer: Meine Mutter hat einen blauen Rock lieber als eine gelbe BluseEX 2: Unsere Lehrerin/ Bleistifte/ KugelschrieberAnswer: Unsere Lehrerin hat Bleistifte lieber als KugelschrieberPlease do the following in the above format:1) Meine Schwester/ Schokolade/ obst2) Mein Vater/ ein Haus/ ein Mietshaus3) Mein Freunde/ ein Auto/ kein Auto4) Ich/ das Buch/ der Film5)Wir/ der Lehrer/ die Lehrerin The first three terms of a sequence are given .Round to the nearest thousand (if necessary) 13,22,31, find the 31st term write 25/4 as mixed number give your answer in its simplest from What is the area of the composite shape below? NEED HELP ASAP 15 POINTSwhat does it mean, Genotypically and Phenotypically, to be a worrier or warrior Rugen Inc., a hospitality chain, hired a large number of military veterans in the hope that it would help put the business in a different league altogether compared to its competitors. However, the company soon experienced a backlash and drew flak in the hospitality industry, as it could not efficiently manage and retain these employees. Most of the veterans who joined the organization complained that management did not treat them the way they had expected to be treated. Which of the following things could Rugen Inc. have done differently to avoid these repercussions?a. It should have followed the standard recruiting procedures to hire these employees to avoid bias. b. It should have tried to mimic reward and recognition programs that are conducted in the military to acknowledge the employees' contributions. c. It should have let these members take control over most of its departments, especially security. d. It should not have mixed these employees with regular employees, as veterans come from a completely different background. The local planetarium is selling tickets for the new laser light show at the price of 2 tickets for $5.00. Which graph shows the relationship between the number of tickets bought and the total cost? All i need is the answer. Thanks! The equation of line k is y = -6/7 x + 10. Line m is perpendicular to line k and passes through (-3, -5). What is the equation of line m?Write the equation in slope-intercept form. Write the numbers in the equation as proper fractions, improper fractions, or integers Each of the following statements is correct in at least one number system. That is, the statement is correct if we assume the numbers are expressed in a base other than 10. It is up to you to find out which number base makes each statement correct. You need to justify your answer by converting the numbers in each operation to base 10 and showing that the statement is correct. For example, 36/6 = 7 is clearly not correct in base 10, but it is correct in base 12 because 3612 = 4210 and 4210/610 = 710.Thus, 3612/612 = 712 is true.a) 42/3 = 13b) 23 + 44 + 14 + 32 = 223