A technician uses the ps command to find information about the process that is running a browser application on a Linux computer. The technician knows the name of the process, but the list is very long.
Which of the following command would help the technician find and display only the information about the browser process?

Answers

Answer 1

GREP is command that would help the technician find and display the information about the browser process.

THE GREP COMMAND

Grep is the abbreviation for Global Regular Expression Print. Grep is a Linux/Unix command-line utility used to search a specified file for a string of characters. The search pattern for text is known as a regular expression.

The grep command scans the file for occurrences of the supplied pattern. To use it, type grep followed by the pattern to search for and the name of the file (or files) to search. The output consists of the three lines in the file that include "not."

The grep command can search many files for a string. When it detects a pattern that matches in many files, it publishes the file name, a colon, and the line that fits the pattern.

The issue with using the regular expression feature of grep is that the pattern is confined to a single line. Using grep several times to produce the desired result is doable, but it is more convenient to use the -P or –perl-regexp option. The -P option enables grep's PCRE extension.

Since ordinary strings are a specific case of regular expressions, the grep software may also search for them in text files. fgrep may be far faster than grep, however, if your regular expressions are merely text strings.

Learn more about GREP COMMAND here:

https://brainly.com/question/15093230

#SPJ4


Related Questions

A user’s smartphone has been experiencing performance issues, and it needs to be charged more often. A technician also notices there have been spikes in the smartphone’s CPU and memory usage. What would most likely improve the performance of the Smartphone?

Answers

An action which would most likely improve the performance of the Smartphone is: C. disabling unnecessary services.

What are smartphones?

Smartphones can be defined as hybrid versions of mobile devices that are designed and developed to have more features, so as to enable them run different software applications, functions and perform tasks with the aid of software applications such as web browsers, multimedia player, etc.

Types of smartphones.

In Computer technology, there are three popular types of mobile devices and these include the following:

Handheld computersPersonal digital assistants (PDAs)Smartphones.

What is a memory?

A memory can be defined as a terminology that is used to describe the available space on an electronic device that is typically used for the storage of data or any computer related information.

In this context, we can reasonably infer and logically deduce that an action which would most likely improve the performance of the smartphone is to disable all unnecessary services, so as to free some memory on the smartphone.

Read more on smartphones here: https://brainly.com/question/28464409

#SPJ1

Complete Question:

A user’s smartphone has been experiencing performance issues, and it needs to be charged more often. A technician also notices there have been spikes in the smartphone’s CPU and memory usage. What would most likely improve the performance of the Smartphone?

Configuring automatic updates

Conditioning the battery

Disabling unnecessary services

Turning off cellular roaming

which nec article covers premises-powered optical fiber-based broadband communications systems that provide any combination of voice, video, data, and interactive services through an optical network terminal?

Answers

In NEC, Article 840 covers premises-powered optical fiber-based broadband communications systems that provide any combination of voice, video, data, and interactive services through an optical network terminal (ONT).

The National Electrical Code (NEC) is a regionally adoptable standard for the safe installation of electrical wiring and equipment in the United States. It is part of the National Fire Codes series that is published by the National Fire Protection Association (NFPA).

An optical network terminal (ONT) is a piece of customer premises equipment (CPE) that connects to an optical network that provides Ethernet services to end users. The ONT converts optical signals to electrical signals and vice versa. It offers a high-speed internet connection, as well as phone and video services.

You can learn more about National Electrical Code (NEC) at: brainly.com/question/30757813

#SPJ11

Write the method getLongestRun that takes as its parameter an array of integer values representing a series of number cube tosses. The method returns the starting index in the array of a run of maximum size. A run is defined as the repeated occurrence of the same value in two or more consecutive positions in the array. For example, the following array contains two runs of length 4, one starting at index 6 and another starting at index 14. The method may return either of those starting indexes. If there are no runs of any value, the method returns -1.

Answers

Reset the current run length to 0 if the two adjacent values are not equal. Return the maximum length run's starting index.

How can it be solved?

You will need to keep track of the current run length, the maximum run length, and the index from which the maximum run began (it should start at -1). You need to be careful not to go beyond the bounds because you are comparing one value to another that is adjacent. Set the start index and increase the current run length if you find two adjacent values that are equal. Reset the current run length to 0 if the two adjacent values are not equal. Return the maximum length run's starting index.

public class NumberCube

{

   public static int getLongestRun(int[] values)

   {

       // Complete this method

   }

   public static void main(String[] args){

       int[] values = {3, 5, 6, 6, 3, 6, 4, 4, 4, 2, 6, 4, 1, 1, 1, 1};

       int longestRunIdx = getLongestRun(values);

       if(longestRunIdx != 12){              

       } else {

          System.out.println("Looks like your code works well!");

       }

   }

}

Learn more about parameters visit :

https://brainly.com/question/29911057

#SPJ4

3. Describe at least THREE different kinds of networks present in your house or school and what devices are connected through each network. Which network do you personally use the most, and why? Should you be concerned about cybersecurity for that network?

Answers

Answer:

There are various networks in a typical house or school, including wired, wireless, and internet networks. Wired networks are used to connect devices such as desktop computers, printers, and servers using Ethernet cables. The wireless network connects devices such as laptops, smartphones, and tablets through a Wi-Fi signal. The internet network is used to connect to the internet, allowing devices to communicate and exchange data over the World Wide Web. I personally use the wireless network the most as it is the most convenient for my smartphone and laptop. Cybersecurity is a concern for all networks, especially for wireless networks as they are susceptible to hacking and unauthorized access. Therefore, it is crucial to use strong passwords, update software regularly, and limit access to the network to ensure cybersecurity.

Write a program in java to input N numbers from the user in a Single Dimensional Array .Now, display only those numbers that are palindrome

Answers

Using the knowledge of computational language in JAVA it is possible to write a code that  input N numbers from the user in a Single Dimensional Array .

Writting the code:

class GFG {

   // Function to reverse a number n

   static int reverse(int n)

   {

       int d = 0, s = 0;

       while (n > 0) {

           d = n % 10;

           s = s * 10 + d;

           n = n / 10;

       }

       return s;

   }

   // Function to check if a number n is

   // palindrome

   static boolean isPalin(int n)

   {

       // If n is equal to the reverse of n

       // it is a palindrome

       return n == reverse(n);

   }

   // Function to calculate sum of all array

   // elements which are palindrome

   static int sumOfArray(int[] arr, int n)

   {

       int s = 0;

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

           if ((arr[i] > 10) && isPalin(arr[i])) {

               // summation of all palindrome numbers

               // present in array

               s += arr[i];

           }

       }

       return s;

   }

   // Driver Code

   public static void main(String[] args)

   {

       int n = 6;

       int[] arr = { 12, 313, 11, 44, 9, 1 };

       System.out.println(sumOfArray(arr, n));

   }

}

See more about JAVA at brainly.com/question/12975450

#SPJ1

Write a program in java to input N numbers from the user in a Single Dimensional Array .Now, display

Do you think that the United States would have been able to win world war l and world war ll without the help of code talkers?

Answers

Code talkers helped US to win both the world wars. As the code talkers were the persons who are experts in delivering secret messages in both regional languages and English.

A name, code talker, was given to American Indians who used their regional language to convey secret messages in the warzones.

Type 1 code was the first code created. Code talkers had a tough task of keep moving because there was always a threat to the transmitted messages.

To learn more about code talkers,

https://brainly.com/question/27876958

power steering belts should be checked for all of the following EXCEPT

Answers

You did not list the options.

If the Transaction file has the following 3 records:
Trans Key
D1
B1
A1
What will the value of Total be after execution of the program?
a) 9
b) 10
c) 8
d) 6
e) 7

Answers

It is to be noted that "If the Transaction file has the following 3 records:

Trans Key D1, B1, A1, the value of Total be after execution of the program will be 7 (Option E).

What is a transaction file?

A transaction file is used to store data while a transaction is being processed. The file is then used to update the master file and audit transactions on a daily, weekly, or monthly basis. In a busy supermarket, for example, daily sales are logged on a transaction file and then utilized to update the stock file.

Master files are indestructible. Transaction files exist just for the duration of the transaction and are thereafter deleted. Here are some examples of transaction files:

Purchase orders, work cards, invoice dispatch notes, and so forth

Learn more about Transaction File:
https://brainly.com/question/14281365
#SPJ1

You are required to write a program which will convert a date range consisting of two
dates formatted as DD-MM-YYYY into a more readable format. The friendly format should
use the actual month names instead of numbers (eg. February instead of 02) and ordinal
dates instead of cardinal (eg. 3rd instead of 03). For example 12-11-2020 to 12-11-2022
would read: 12th of November 2020 to 12th of November 2022.
Do not display information that is redundant or that could be easily inferred by the
user: if the date range ends in less than a year from when it begins, then it is not
necessary to display the ending year.
Also, if the date range begins in the current year (i.e. it is currently the year 2022) and
ends within one year, then it is not necesary to display the year at the beginning of the
friendly range. If the range ends in the same month that it begins, then do not display
the ending year or month.

Rules:
1. Your program should be able to handle errors such as incomplete data ranges, date
ranges in incorrect order, invalid dates (eg. 13 for month value), or empty values
2. Dates must be readable as how they were entered

Answers

The program which will convert a date range consisting of two dates formatted as DD-MM-YYYY into a more readable format will be:

from datetime import datetime

def convert_date_range(start_date, end_date):

   start_date = datetime.strptime(start_date, '%d-%m-%Y')

   end_date = datetime.strptime(end_date, '%d-%m-%Y')

   return f"{start_date.strftime('%B %d, %Y')} - {end_date.strftime('%B %d, %Y')}"

# Example usage:

start_date = '01-04-2022'

end_date = '30-04-2022'

print(convert_date_range(start_date, end_date))  # Output: April 01, 2022 - April 30, 2022

How to explain the program

In this code example, we first import the datetime module, which provides useful functions for working with dates and times in Python. Then, we define a function called convert_date_range that takes in two arguments, start_date and end_date, which represent the start and end dates of a range.

Inside the function, we use the datetime.strptime() method to parse the input dates into datetime objects, using the %d-%m-%Y format string to specify the expected date format. Then, we use the strftime() method to format the datetime objects into a more readable string format, using the %B %d, %Y format string to produce a string like "April 01, 2022".

Learn more about program on:

https://brainly.com/question/1538272

#SPJ1

codehs word definitions 2.3.4

Answers

You are need to develop a software that reads a dictionary file and asks the user to submit a word as part of the CodeHS Word Definitions 2.3.4 exercise. if the dictionary contains the word.

In CodeHS, how can I run code?

You can refer to a number of useful tabs on the right-hand side of the Code Editor as you work on a coding project. Execute the code You should test and execute your code on the Run Code tab before submitting.

Why do Python CodeHS answers utilise if statements?

A programme can be asked a question and code can only be executed if the answer is true thanks to an if statement. This enables you to look up information about a certain condition

To know more about CodeHS  visit:-

https://brainly.com/question/26099830

#SPJ1

how does air conditioner work
please short answer please​

Answers

It draws the warm/ hot air from inside to outside and the AC unit (usually outside) turns the vapor into a liquid which removes any excess heat. (This is the way I learned it)
The air conditioner in a central heating and cooling system provides cool air through ductwork inside your home, by providing a process that draws out the warm air inside, removing its heat.

When a SQL query is written so as to display the results in a specific order, this order is determined by the _____.

Answers

Not sure of the name but
You could use the following code as an example

SELECT *
FROM table
ORDER BY field1 ASC

W]hen a cryptographic system is used to protect data confidentiality, what actually takes place?

Answers

Answer: the Engine

Explanation:

once the engine take place its moves and goes faster

which is the best capacity for an oversize array that records daily phone sales during a month. maximum number of sales for a single day is 100. question 5 options: 30 31 99 100

Answers

The best capacity for an oversize array that records daily phone sales during a month is 31.

This capacity ensures that each day of the month can be accommodated and allows for the storage of all daily sales numbers, including the highest possible value of 100. Having a capacity of 31 is suitable because it covers both the months with 30 days and the months with 31 days. By allocating an array with this capacity, you can effectively store and access the daily sales data for the entire month. It provides flexibility and ensures that no data is lost or truncated due to insufficient space.

Learn more about array capacities here:

https://brainly.com/question/14285075

#SPJ11

The best capacity for an oversize array that records daily phone sales during a month is 31.

This capacity ensures that each day of the month can be accommodated and allows for the storage of all daily sales numbers, including the highest possible value of 100. Having a capacity of 31 is suitable because it covers both the months with 30 days and the months with 31 days. By allocating an array with this capacity, you can effectively store and access the daily sales data for the entire month. It provides flexibility and ensures that no data is lost or truncated due to insufficient space.

Learn more about array capacities here:

brainly.com/question/14285075

#SPJ11

Differentiate between a window and Windows​

Answers

Answer:

A window is a graphic control element which are controlled by the keyboard usually and windows is an operating system

Explanation:

Humans are known for their communication skills. ________ is the symbolic form of communication based on productivity and displacement that is mutually intelligible by other users.

Answers

The term  language is the symbolic form of communication based on productivity and displacement that is mutually intelligible by other users.

What is human language linguistics?

Human language is known to have a distinct forms of communication as it is known to be  compositional.

Note that  Human language gives room for speakers to tell more about their thoughts in sentences making up by  subjects, verbs and objects. The use of the human language is one that is acceptable to all as a means of communication.

Note also that  language is seen as a system of communication that is said to make use of symbols for example words, sounds, as well as  to convey meaning.

Therefore, The term  language is the symbolic form of communication based on productivity and displacement that is mutually intelligible by other users.

Learn more about language  from

https://brainly.com/question/10585737
#SPJ1

Pls help!!!!!!!!!!!!

Pls help!!!!!!!!!!!!

Answers

Answer:

think D and A

Explanation:

Not 100% sure good luck

the first and fourth one. hope this helps :)

Different between user define function and built in function? please help me

Answers

A user-defined function is a function that is defined by the user at the time when the program is written, as opposed to a built-in function, which is already defined by the programming language.

What is function?
Simply put, a function is a "chunk" of code that you can reuse repeatedly rather than having to write it out several times. Programmers can divide a problem into smaller, more manageable chunks, each of which can carry out a specific task, using functions. The specifics of how a function operates can almost be forgotten once it has been created. By abstracting the specifics, the programmer can concentrate on the big picture. Once a function has been defined, a programmer can use its name to call it whenever they need it. The function also likely needs some inputs or parameters to operate, which are passed to the function each time it really is called.

To learn more about function
https://brainly.com/question/23275071
#SPJ1

Which decimal number is equivalent to this binary number?
001100112

A.
15
B.
51
C.
204
D.
240

Answers

Answer:

51

Explanation:

multiply the digits with the position value starting from Rightmost

0011 0011

(0*2^7) +(0*2^6)+(1*2^5) +(1*2^4)+(0*2^3) +(0*2^2)+(1*2^1) +(1*2^0)

solve the exponents

= 0+ 0 +32+16+0+0+2+1

=51

Write a function $\verb#letter_square(letter, size)#$ that takes as input a string $\verb#letter#$ consisting of a single character, and a positive integer size. The function should return a string that prints a $\verb#size#$-by-$\verb#size#$ square of $\verb#letter#$. For example, $\verb#print(letter_square('x',5))#$ should print xxxxx xxxxx xxxxx xxxxx xxxxx Note that the function itself should not print the string -- it should return a string. Hint: recall that the special character \n is Python's newline character.

Answers

The implementation of the letter_square function in Python is given below

python

def letter_square(letter, size):

   row = letter * size + '\n'

   square = row * size

   return square

One can use the function like this:

python

square = letter_square('x', 5)

print(square)

Output:

xxxxx

xxxxx

xxxxx

xxxxx

xxxxx

What is the function?

Code is a way of using symbols or signals to show letters or numbers when sending messages. The directions in a computer program. Instructions written by a programmer in a programming language are commonly referred to as source code.

In this code, It start with a string called square that doesn't have any words in it. Afterwards, it use loops inside each other to add the letter to the square "size" number of times for every row. Then, I add a new line character n.

So, the function called "letter_square" needs two things: a letter (a single character) and a size (a positive whole number).

Read more about string  here:

https://brainly.com/question/30392694

#SPJ1

Beth would like to eavesdrop on network traffic resulting from users browsing the Web. Which port would provide her with the most information about user web activity

Answers

Answer:

port 80

Explanation:

port 80 is http. port 443 is https. so if you are trying to be a sneaky little person and eavesdrop on people, eavesdrop on port 80 not port 443 because port 80 is unsecured plaintext data transmission over websites

Consumers get the impression that everyone loves a product when they:

Consumers get the impression that everyone loves a product when they:

Answers

Answer:

C. read positive user reviews grouped together on a company's website.

Explanation:

A product can be defined as any physical object or material that typically satisfy and meets the demands, needs or wants of customers. Some examples of a product are mobile phones, television, microphone, microwave oven, bread, pencil, freezer, beverages, soft drinks etc.

According to the economist Philip Kotler in his book titled "Marketing management" he stated that, there are five (5) levels of a product. This includes;

1. Core benefit.

2. Generic product.

3. Expected product.

4. Augmented product.

5. Potential product.

The core benefit of a product can be defined as the basic (fundamental) wants or needs that is being satisfied, met and taken care of when a customer purchase a product.

Generally, consumers would get the impression that everyone loves a product when they are able to read positive user reviews grouped together on a company's website.

Typically, when a consumer uses a product and derives so much satisfaction from the use of such product, he or she has the opportunity to post a summary of this experience in the comment section of manufacture's or company's website.

Hence, these comments known as reviews may be used subsequently by other consumers to make an informed decision about the company's product.

C. read positive user reviews grouped together on a company's website.

The control of data for the use of people and organizations including data collection distribution archiving removal and security

Answers

Answer:information managment

Explanation:

k12 test, i got an A with it

The control of data for the use of people and organizations, including data collection distribution archiving removal, and security, is information management. The correct option is c.

What is information management?

The collecting and management of information from one or more sources, as well as the distribution of that information to one or more audiences, is referred to as information management (IM). This includes anyone who has an interest in or a right to the information.

Information technology has been the phrase that has focused on both hardware and software. The hardware is the physical component of the computer system that allows us to access the software.

Software has been the operating system that have dealt with the paperwork and tasks that computers have completed.

Therefore, the correct option is c, information management.

To learn more about information management, refer to the link:

https://brainly.com/question/14279199

#SPJ2

The question is incomplete. Your most probably complete question is given below:

software

server

information management

Which three events occur when a DNS request is processed?
A. A local DNS server sends the IP address back to the requesting
device for access.
B. A local DNS server checks to see if it knows the IP address for the
site requested.
C. A subdomain DNS server defines how data will be transferred
over the internet.
D. Top-level domain DNS servers look up the site and return the IP
address.

Answers

The three events occur when a DNS request is processed is that

A local DNS server sends the IP address back to the requesting device for access. A local DNS server checks to see if it knows the IP address for the site requested.Top-level domain DNS servers look up the site and return the IP address.What are the types of DNS queries?

There are known to be 3 types of DNS queries which are:

Recursive iterativenon-recursive.

Therefore, The three events occur when a DNS request is processed is that

A local DNS server sends the IP address back to the requesting device for access. A local DNS server checks to see if it knows the IP address for the site requested.Top-level domain DNS servers look up the site and return the IP address.

Learn more about DNS from

https://brainly.com/question/12465146

#SPJ1

Who has a stronger Air Force? USA or Russia?
-You get it right, then you get brainliest, and make sure you go check out my other questions so you can brainliest next time I post
-Friend me for question #4

Answers

China I think keheidbdhdhdj

Answer:

BOTH USA & RUSSIA

Explanation:

BOTH USA AND RUSSIA USA IS #1 and RUSSIA IS #2

What are merge fields?


Answer is "What are merge fields?"

Answers

Answer:

A merge field is a field you can put in an email template, mail merge template, custom link, or formula to incorporate values from a record. For example, you can place a merge field in an email template so that the greeting includes the recipient's name rather than a generic “Hello!”.

HELP HELP. I NEED 2 CODES SOLVED

HELP HELP. I NEED 2 CODES SOLVED
HELP HELP. I NEED 2 CODES SOLVED

Answers

The code is written in an incorrect syntax and has a few errors. It seems to be a mixture of two different procedures that are not well-defined.

How to explain the code

However, based on the structure and assumptions, I can infer that the output of this code will display the value of ans, which is the sum of the result of F(11,20) and G(-4,3).

The result of F(11,20) will be either 20.5 or 20, depending on the value of the variable p in the if-else statement. The result of G(-4,3) will be 3 because the loop inside the G procedure iterates three times, incrementing the value of val by 1 each time, and then returns val, which is 3. Therefore, the output of the code will be 23.

Learn more about code on

https://brainly.com/question/26134656

#SPJ1

the default file extension for a file saved in word 2016 is the ____________________ format.

Answers

The default file extension for a file saved in Word 2016 is the .docx format.

Could you tell me the file format used by default when saving a file in Word 2016?

When saving a file in Word 2016, the default format is .docx. This file format was introduced in Microsoft Office 2007 and has since become the standard format for Word documents. It is based on the Office Open XML (OOXML) specification and offers several advantages over its predecessor, the .doc format. The .docx format supports advanced features like XML-based formatting, improved file compression, and enhanced compatibility with other applications. It also allows for better data recovery in case of file corruption.

Learn more about Word 2016

brainly.com/question/13952945

#SPJ11

In the video game Animal Crossing: New Horizons, villagers are organized by Personality and Hobby.


The 8 Personalities are:


Normal

Lazy

Sisterly

Snooty

Cranky

Jock

Peppy

Smug


The 6 Hobbies are:


Education

Fashion

Fitness

Music

Nature

Playing


Create a program that allows the user to create their own Animal Crossing villager. The user should be able to enter a name, after which the program will choose a random Hobby and Personality for the villager:


"Please enter a Villager Name:

>> Betsy

Betsy is Snooty and into Nature"


The program should store both the Hobbies and Personalities in lists, and when creating a villager it should randomly choose from each list for the personality.



Requirements:

· Both Personalities and Hobbies must be stored in lists

· You must generate a different random number to determine the hobby and personality (that is, don't generate 1 random number and use it for both lists, as that prevents many combinations)

· In randomizing, you should make sure that all combinations are possible (that is, make sure you don't accidentally leave out a personality or hobby from random generation)

· The program shouldn't crash

Answers

The video game program is an illustration of randomization and lists

Randomization involves generating random numbers or selecting random optionsLists are variables that hold multiple values

The video game program

The video game program written in Python, where comments are used to explain each action is as follows:

#This imports the random package

import random

#This creates a list for personalities

Personality = ["Normal","Lazy","Sisterly","Snooty","Cranky","Jock","Peppy","Smug"]

#This creates a list for hobbies

Hobbies = ["Education","Fashion","Fitness","Music","Nature","Playing"]

#This gets input for name

name = input("Please enter a Villager Name: ")

#This generates a random number for personality

personalityNum = random.randint(0, 7)

#This generates a random number for hobbies

hobbiesNum = random.randint(0, 5)

#This prints the the required output

print(name,"is",Personality[personalityNum],"and into",Hobbies[hobbiesNum])

Read more about Python programs at:

https://brainly.com/question/16397886

What is the best gaming name you can come up with?

Answers

THE GAME that’s all I named it
Other Questions
can you identify the animal phylum to which each example or characteristic belongs?drag the example or characteristic to the appropriate bin. Find the equation of the line.Use exact numbers. True or False, Dating relationships tend to be more stable and committed in early adolescence, whereas in late adolescence, relationships tend to become casual and short-lived. How plants are in theSolora System Which principle of government is the idea that the government gets its power from the people? A popular sovereignty B judicial review C separation of powers D checks and balances HEY YALL PLS HELP ME ANSWER THIS QUESTION- THE CORRECT ANSWER SHALL RECEIVE 10 POINTS xx ~What technique is used to separate water from salt waterthanks yall xx ) t ests bien. (blank) bien?inversion Please help! i will give brainliest or whatever if you help :) Jorge has a recipe that calls for 2 13_ cups of flour.He plans to make 1 12_ times the recipe. Will theamount of flour Jorge needs be equal to, greaterthan, or less than the amount of flour his recipecalls for? I will mark brainliest! Please write a summary of this paragraph!But lest you think that is an excuse to start playing video games all the time forget it. Theres more to life than vision, Bavelier chuckles. Besides, she notes, obsessive play will not necessarily lead to benefits, even in people with lazy eye. It needs to be done properly, she says about integrating video games into a treatment plan. Usually people only have one amblyopic eye. We need to train the bad eye to become better, and the two eyes need to work together. if the gene is still considered a candidate virulence gene, what would be the next step to confirm that this is indeed the case? There are a lot of poor citizens in your society. They cannot find jobs and so crime is rising. Themajor types of crimes are that people are stealing, drinking too much, there is domestic violence(because of the drinking, but also because so many men are depressed and angry about being poor),and vandalism of public and private property. Your government needs to find a solution because allthis crime is bad for business people cannot trade because they are afraid to travel and do things inpublic. Which form of government would be the best to have in this situation? Does this represent a function? can someone help me wit this? how do cells determine what size to grow before dividing 4. Convert 3,500,000,000 to a single digitscientific Which state does number 3 identify on the map? Political map of North America with number one marking the longest state on the west coast of the United States. A number two marks the northern most state on the west coast of the lower United States. A number three marks the state on the northern boarder of the United States that is in the middle or midwest of the country. A number four marks the midwest state that is on the northern border of the United States and surrounded by water on three sides. Mississippi Michigan North Dakota Missouri How will you promote cheer dancing as an excellent means of achieving fitness?. Damon sold a total of 20 boxes of candy at his store on Wednesday. These boxes contained only lollipops and gumballs.Each box held 45 pieces of candy.He earned $2 for each piece of candy he sold.He earned a total of $948 from the lollipops he sold.What amount of money did Damon earn from the gumballs he sold? Be sure to use numbers and/or words to show how you got your answer. If a rock contains 75% of the decay product, how many half-lives have passed