Kevin is scanning old images from his college library. He might use these scanned images in the college magazine. He might also use them on the college website. What is the best practice for Kevin to follow when scanning the images?
A.
scan the images with 72 DPI
B.
scan only the images that are ideal for a website
C.
scan the images with 150 DPI
D.
scan the images with 600 DPI
E.
scan the images that are ideal for a magazine

Answers

Answer 1

Answer: D. Scan the images with 600 DPI

Explanation:

Answer 2

Answer: D. Scan the images with 600 DPI

Explanation: Correct for Plato/Edmentum


Related Questions

Which avenue may utilize video streaming, audio narration, print designs, and animation?
The ______ may utilize video streaming, audio narration, print designs, and animation.

Answers

Answer: is their any options to answer your question

Explanation:

Answer:

The multimedia avenue may utilize video streaming, audio narration, print designs, and animation.

Explanation:

:P

How do you fix this!!!!

Answers

Answer:

ldek

Explanation:

You are dropping your friend back home after a night at the movies. From the car, she turns on the indoor lights in her home using an app on her phone. How is your friend able to do this? a. She has a home network with smart home devices. b. She dialed into her home modem through the app and sent a command through the router. c. She has installed switches that interact with the installed app on her phone. d. She uses a hub at her home that she connects to through the app.

Answers

A. She has a home network with smart home devices

You are dropping your friend back home after a night at the movies. From the car, she turns on the indoor lights in her home using an app on her phone. Friend is able to do this by  doing home network with smart home devices. The correct option is a.

What are smart devices?

The devices which are operated using the analog signals which carry information.

You are dropping your friend back home after a night at the movies. From the car, she turns on the indoor lights in her home using an app on her phone.

Friend is able to do this by doing home network with smart home devices.

Thus, the correct option is a.

Learn more about smart devices.

https://brainly.com/question/17509298

#SPJ2

Telecommunications, outsourcing, flextime, teamwork, and diversity are workplace trends adopted to
O True
O False

Answers

Answer:

False

Explanation:

Outsourcing and telecommuting are the trends related to presence of growing technology within the economy allowing various services to be outsourced to people who are more of an expert when it comes to handling those procedures.

need help on question 5! no links pls

Answers

Answer: less than 50%, it’s about 49%

Explanation:

Answer:

59.5

so I would say the 3 third option

Marking brainlyest look at the picture

Answers

I’m pretty sure the answer is C.

Determina la cilindrada total Vt en un motor de 4 cilindres de 83,6 mm de diàmetre per 91 mm de cursa.

Answers

Answer:

La cilindrada total del motor es de 1997,025 centímetros cúbicos.

Explanation:

Para determinar la cilindrada total Vt en un motor de 4 cilindros de 83,6 mm de diámetro por 91 mm de carrera se debe realizar el siguiente cálculo, sabiendo que para calcular la cilindrada de un motor se debe utilizar la fórmula ((Pi x Diámetro^2)/4) x Carrera x Número de cilindros = X:

((3.14 x 83.6^2)/4) x 91 x 4 = X

((3.14 x 6,988.96)/4) x 364 = X

(21,945.3344 / 4) x 364 = X

5,486.3336 x 364 = X

1,997,025.4304 = X

1 milímetro cúbico = 0.001 centímetro cúbico

1,997,025.4304 milímetros cúbicos = 1997.0254304000005 centímetros cúbicos

Por lo tanto, la cilindrada total del motor es de 1997,025 centímetros cúbicos.

which of the following is another term for a subfolder​

Answers

Answer:

below

Explanation:

subdirectory

Explanation:

Subdirectory is the another name of sub folderwhich is the small folder of files created withing a main folder.

Consider the following code.

public void printNumbers(int x, int y) {
if (x < 5) {
System.out.println("x: " + x);
}
if (y > 5) {
System.out.println("y: " + y);
}
int a = (int)(Math.random() * 10);
int b = (int)(Math.random() * 10);
if (x != y) printNumbers(a, b);
}

Which of the following conditions will cause recursion to stop with certainty?
A. x < 5
B. x < 5 or y > 5
C. x != y
D. x == y


Consider the following code.

public static int recur3(int n) {
if (n == 0) return 0;
if (n == 1) return 1;
if (n == 2) return 2;
return recur3(n - 1) + recur3(n - 2) + recur3(n - 3);
}

What value would be returned if this method were called and passed a value of 5?
A. 3
B. 9
C. 11
D. 16

Which of the following methods correctly calculates the value of a number x raised to the power of n using recursion?
A.
public static int pow(int x, int n) {
if (x == 0) return 1;
return x * pow(x, n);
}
B.
public static int pow(int x, int n) {
if (x == 0) return 1;
return x * pow(x, n - 1);
}
C.
public static int pow(int x, int n) {
if (n == 0) return 1;
return x * pow(x, n);
}
D.
public static int pow(int x, int n) {
if (n == 0) return 1;
return x * pow(x, n - 1);
}

Which of the following methods correctly calculates and returns the sum of all the digits in an integer using recursion?
A.
public int addDigits(int a) {
if (a == 0) return 0;
return a % 10 + addDigits(a / 10);
}
B.
public int addDigits(int a) {
if (a == 0) return 0;
return a / 10 + addDigits(a % 10);
}
C.
public int addDigits(int a) {
return a % 10 + addDigits(a / 10);
}
D.
public int addDigits(int a) {
return a / 10 + addDigits(a % 10);}

The intent of the following method is to find and return the index of the first ‘x’ character in a string. If this character is not found, -1 is returned.

public int findX(String s) {
return findX(s, 0);
}

Which of the following methods would make the best recursive helper method for this task?
A.
private int findX(String s) {
if (index >= s.length()) return -1;
else if (s.charAt(index) == 'x') return index;
else return findX(s);
}
B.
private int findX(String s, int index) {
if (index >= s.length()) return -1;
else return s.charAt(index);
}
C.
private int findX(String s, int index) {
if (index >= s.length()) return -1;
else if (s.charAt(index) == 'x') return index;
else return findX(s, index);
}
D.
private int findX(String s, int index) {
if (index >= s.length()) return -1;
else if (s.charAt(index) == 'x') return index;
else return findX(s, index + 1);
}

Answers

i think the answer is C

Is this for a grade?

What is the web page path on the web server for the URL:
http://www.mydomain.com/main/index.html?
O http://
O www.mydomain
O main/index.html
O index.html

Answers

Answer:

C: main/index.html

Explanation:

Select the factors that a network engineer is most likely to consider when designing a computer network. the ways in which employees share business documents the number of hours employees work the number of networked computers the type of work done at networked computers the number of employees using each computer the rate of pay for networked employees

Answers

Answer:

the number of employees using each computer

the number of networked computers

the type of work done at networked computers

the ways in which employees share business documents

Explanation:

these are all correct on odyssey :)

Need answer ASAP!!! No links I’ll report

Select the correct answer.
Which statement is true for SQC?

A.SQC has organization-wide application.

B.The scope of SQC covers a specific product.

C.The scope of SQC covers all products produced by a process.

D.SQC involves activities to evaluate software engineering processes.

Answers

Answer:

Try C and hope for the Best

Explanation:

Answer:

The scope of SQC covers a specific product.

Why is one climate different from another?

Answers

The climate of an area concerns the average weather conditions. Different parts of the Earth have different climates because of different amounts of heat received from the Sun. ... Some climates have different seasons and there may be little or much variation in precipitation and temperature.

write HTML code to create a web page which will contain a title my favourite book as a centralised heading feluda somogro and body will contain the name of the author satyajit ray ​

Answers

Answer:

Satyajit Ray (1921–1992), a Bengali film director from India, is well known for his contributions to Bengali literature. He created two of the most famous characters in Feluda the sleuth, and Professor Shonku the scientist. He wrote several short novels and stories in addition to those based on these two characters. His fiction was targeted mainly at younger readers (mostly teenagers) , though it became popular among children and adults alike.

Ray during recording of his film Pather Panchali

Most of his novels and stories in Bengali have been published by Ananda Publishers, Kolkata; and most of his screenplays have been published in Bengali in the literary journal Ekshan, edited by his close friend Nirmalya Acharya. During the mid-1990s, Ray's film essays and an anthology of short stories were also published in the West. Many of the stories have been translated into English and published.

Apache Subversion is one of the more popular _____.

centralized version control systems

source codes

repositories

distributed version control systems

Answers

Answer:

Centralized version control system

Explanation:

I did the assignment Edge2021

Answer:

Centralized version control systems

Explanation:

Took the test

You will then write a one- to two-paragraph summary describing your chosen type of biotechnology. You will then need to argue for either the benefits or the risks of your chosen type. Your arguments should present your position, and then give the evidence that led you to this position. Be sure to include the following in your argument:
a description of your chosen type of biotechnology (genetic engineering, cloning, or artificial section)
one benefit or one risk for the individual (based on whether you are for or against it)
one benefit or one risk for society (based on whether you are for or against it)
one benefit or one risk for the environment (based on whether you are for or against it)
A picture (you may hand draw, take photos in nature, or use stock images)

Answers

Answer:

Anti-biotics are a biotechnology I've chosen, its a benefit because it kills off bacteria and help improves your system. It kills and prevents the growth of bacteria and infections. A benefit you can get from antibiotics is protects your health and prevents acne. This is due to the bacteria it attacks when entering your body. Think of it as pouring peroxide on a cut. A benefit to society is it protects your health when coming close to a sick person and lowers the chance of you catching something. A risk of taking antibiotics is having a weaker immune system due to your body relying on antibiotics, it can also cause gonorrhea.

Explanation:

good luck! :)

Answer:

I Chose Genetic Engineering. Genetic Engineering Can be Used To Make Greater food production volume and increased vitamins Which Feeds More People In This growing population And That Helps society And A Individual. Genetic Engineering Genetically engineered bacteria and plants are altered to get rid of toxic waste Which Can Help The Environment.

This is what i submitted for a grade i actually got an 85 for it which is a B good luck!

Plz help:(!!!!

Type the correct answer in the box. Spell all words correctly.

Claire wants to use a filter to ensure quality in the software development process and product. What can Claire use for this purpose?

Claire should use_________
as a filter to ensure quality in the software development process and product.

Answers

Answer:

Defect filters

Explanation:

Answer:

"a quality gate" is the correct answer :D

Explanation:

Need answer ASAP

Select the correct answer.
What is the role of a software analyst?
OA.
to prepare project plan
OB.
to provide customer support to stakeholder
O C.
to code and test
O D.
to perform audits

Answers

Answer:

c is the correct awnser ( to code and test )

Answer:

CCCCCCCCCCCCCCCCCCCCC

Which one of the following is not a preset Auto Fill option?
A. dates
B. Months
C. Colors
D. Days

Answers

Answer:

Colors is not a preset Auto Fill option.

Answer:

C. Colors

Explanation:

Hope this helps :)

who ever can get me the lyrics to raining tacos will get 46 points + the crown! i want the song!

Answers

Explanation:

Lyrics

It's raining tacos

From out of the sky

Tacos

No need to ask why

Just open your mouth and close your eyes

It's raining tacos

It's raining tacos

Out in the street

Tacos

All you can eat

Lettuce and shells

Cheese and meat

It's raining tacos

Yum, yum, yum, yum, yumidy yum

It's like a dream

Yum, yum, yum, yum, yumidy yum

Bring your sour cream

Shell

Meat

Lettuce

Cheese

Shell

Meat

Lettuce

Cheese

Shell

Meat

Cheese, cheese, cheese, cheese, cheese

It's raining tacos

Raining tacos

Raining tacos

It's raining tacos

It's raining tacos

Raining tacos

Raining tacos

Shells, meat, lettuce, cheese

It's raining tacos

It's raining tacos

Answer:

Explanation:

is that even a real song??

btw i answered so the other guy can get brainlest annnnnnd bc i want the point LOL

Which of the following code snippets will output the following:

Hello
Hello
Hello



A:
print("Hello")
print("Hello")
print("Hello")

B:
for i in range(3):
print("Hello")

C:
print("Hello"*3)

D:
print("Hello\n"*3)

Answers

Answer:

A, B and D

Explanation:

Given

Options (a) to (d)

Required

Which outputs

Hello

Hello

Hello

(a) Each print statement prints "Hello" on separate lines.

Since there are three print statements, then (a) is true

(b) The loop iterates 3 times; and each iteration prints "Hello" on separate line,

Hence, (b) is also true

(c) The statement prints "Hello" 3 times, but all are on the same line

Hence, (c) is false

(d) The statement prints "Hello" 3 times; The '\n' ensures that each "Hello" string is printed on separate line.

Hence, (d) is true

Answer:

option A B D

Explanation:

hope helps you

have a nice day

technically a coding question utilizing python how would one calculate a square root

Answers

Answer:

import math

math.sqrt( x )

Explanation:

The basic code that can be written to calculate the square root of a number is as follows

import math

math.sqrt( x )

Anyone else like hunter x hunter?
lets talk abt it uwu

good day :)

Answers

Answer:

mid

Explanation:

The correct answer is mid please give me brainlest let me know if it’s correct or not okay thanks bye

Identify the characteristics of syntax errors. Choose all that apply.
programmer did not follow the program language conventions
may be highlighted while writing the program
can be caused by mistyping or misspelling while writing the program
does not cause an error message

Answers

Answer:

Explanation:

Identify the characteristics of syntax errors. Choose all that apply.

programmer did not follow the program language conventions

may be highlighted while writing the program

can be caused by mistyping or misspelling while writing the program

Answer:

Its A B C i got it right

Explanation:

windows operating system memory management??​

Answers

Memory management is the functionality of an operating system which handles or manages primary memory and moves processes back and forth between main memory and disk during execution. Memory management keeps track of each and every memory location, regardless of either it is allocated to some process or it is free.Answer:

What would you classify anti-malware software as?


SaaS

enterprising

cloud

security

Answers

Answer:

enterpriseing is the answer

45 points

Multiple Choice: Choose the answer that best fits each statement below.

______ 5. Which of the following can be found by clicking the AutoSum drop‐down?
a. Average
b. Min
c. Sum
d. All of the above

______ 6. Which option is used to prevent a cell reference from changing when a formula is copied to
another location?
a. Named ranges
b. Absolute cell reference

______ 7. An advantage to defining range names is:
a. Selections can be larger
b. Selections can be any format
c. Name ranges are easy to remember
d. Name ranges clear cell contents

True/False: Answer True or False for each statement below.
______ 8. You can only increase or decrease the decimal places by two.
______ 9. The comma style allows you to format with a thousands separator.
______ 10. Excel does not allow you to copy and paste formulas with AutoFill.

Answers

Answer:

5 its either a or b and 6 is b 7 is d  and 8 t 9 f 10 f

Explanat ion:

select the correct answer
What is SQL used for?
A. to write machine language code
B. to design webpages
C. to extract information from databases
D. to convert machine language into a high-level language

Answers

The SQL used to extract information from databases. (Choice: C)

Functions of SQL language

In this question we must understand about computer languages to answer correctly.

SQL stands for Structured Query Language and is a specific domain language intended for the management and retrieve of relational databases. Thus, SQL is used to extract information from databases.

Thus, SQL is used to extract information from databases. (Choice: C) [tex]\blacksquare[/tex]

To learn more on databases, we kindly invite to check this verified question: https://brainly.com/question/6447559

Answer:

The correct answer is C. To extract information from databases.

Explanation:

I got it right on Edmentum.

the_____ tool is used to change the select text to capital letters or small letters (change case /grow font)​

Answers

Answer:

on word you can use shortcut "Shift+f3" to change uppercase lowercase and title case if that is what you are asking for

In database software, which option is the most appropriate menu choice or command to use if you want to change the format of the date
from January 1, 2020 to 01/01/2020?
Print Preview
Mail Merge
New Record
Add/Modify Fields

Answers

Answer:

I think it's d

Explanation:

             

Other Questions
Identify which of the following statements does NOT support thetheory of Natural Selection.A. populations tend to produce more individuals than theenvironment can support.B. individuals adapt to their environments and, thereby, evolve.C. genetic variation exists within populations.D. individuals who survive longer tend to leave more offspring thanthose who die young. The segments shown below could form a triangle.A. TrueB. False ( This isnt really a homework question, its more of just a general question ) I am starting to code C# and I have downloaded visual studio and dotnet, but when trying to run the code for opening a new console template it keeps giving me this error " dotnet : The term 'dotnet' is not recognized as the name of a cmdlet, function, script file, or operable program. Check the spelling of the name, or if a path was included, verify that the path is correct and try again.At line:1 char:1+ dotnet new console+ ~~~~~~ + CategoryInfo : ObjectNotFound: (dotnet:String) [], CommandNotFoundException + FullyQualifiedErrorId : CommandNotFoundException " Please help me fix this. ( btw i am using dotnet 6.0 SDK, but before that I was using 5.0.203 Although the many different tribes of Native America are vastly different, music lies at the heart of all of them. Question 1 options: True False Question 2 (1 point) The most commonly used instrument in Native American music is the drum. Question 2 options: True False Question 3 (1 point) Dance is not an important part of Native American music and culture. Question 3 options: True False Question 4 (1 point) When judging the quality of Native American music, what is most important? Question 4 options: The strength of the beat/rhythm The tone of the singer The feelings that the music generates The dance that accompanies the music Question 5 (1 point) What does the drum represent in Native American music? Question 5 options: the voice of the tribal leader the heartbeat of Mother Earth the movement of water the feeling of the wind Question 6 (1 point) Irish music focuses on _____. Question 6 options: religious ceremonies tribal rituals storytelling social status Question 7 (1 point) The national instrument of Ireland is the _____ Question 7 options: fiddle bodhran tin whistle harp Question 8 (1 point) Sean nos songs are typically about what types of topics? Question 8 options: Miserable topics like death or oppression Joyous topics like weddings or births Religious topics like worship Warning people of upcoming war or battle Question 9 (1 point) Which of the following is a traditional dance song in Ireland? Question 9 options: Jig Reel Hornpipe All of the above Question 10 (1 point) Visitors to Ireland today can participate in a ______, a traditional session of Irish music played in a pub. Question 10 options: Sean nos Celtic Jig Trad Sesh Hornpipe PLEASE HELP ASAPA deck of cards has 52 cards. There are 4 suits, diamonds, hearts, clubs and spades. Each suit has 13 cards. What is the probability that I will randomly pick a 2, put it back, then randomly pick a 4? Can someone answer this please Select the two words that both end in the suffix -ence and follow the spelling rule above. I WILL MARK BRAINLIEST IF ANYONE HELPS ME WITH THE CORRECT ANSWER!! The chart to the right shows the cost to attend a university for one semester. Silas will attend the university next year. He has received a $19,000 scholarship and his parents will contribute $16,000 toward his college expenses. If Silas saves for 12 months, about how much will he need to save per month to cover his college expenses for one year (two semesters)? Select one:A ] $745.60B ] $1,250.00C ] $864.23D ] $1,141.20 Elli painted two fourths of the fence. Nolan painted three eighths of the fence. How much of the fence did they paint please help me out when u can ty Elie Wiesel once said that anyone who witnesses an atrocity, or an act of inhumanity, and does nothing to stop it is just as guilty as the person committing the act. Those who know and remain silent are guilty of the same offense. To stand by silently is to participate in the crime. In a paragraph of at least 4 sentences, evaluate this statement. (Remember, evaluate means show whether it is right or wrong.) Explain why you feel the way you do, and give an example to support your feeling. 1.Summarize this amendment in at least 2-3 lines. 2.Would you want a soldier kicking you out of your house? Why would this be unfortunate? Explain. Can you please help me An architect wants to draw a rectangle with a diagonal of 13 centimeters. The length of the rectangle is to be 3 centimeters more than triple the width. What dimensions should she make the rectangle? PLEASE ANSWER IN SCIENTIFIC NOTATION WITH STEPS PLEASE DUE BY 10:15 AM Which of these actions is likely to spread pathogens in the environment? Cupping mouth while coughing Touching wounds Wiping door knobs Washing fruits don't have a question so this be fr ee points also who likes these songsSmells Like Teen Spirit - Nirvana.Imagine - John Lennon.One - U2.Billie Jean - Michael Jackson.Bohemian Rhapsody - Queen.Hey Jude - The Beatles.Like A Rolling Stone - Bob Dylan.I Can't Get No Satisfaction - Rolling Stones. Analyze the map below and answer the question that follows.A political map of southeastern Australia. Areas labeled from top to bottom are Queensland, New South Wales, and Victoria. The Murray River splits along the border of Victoria and New South Wales. An arrow points to the southern river split along the border of Victoria and New South Wales.Image by BidgeeWhich body of water is the arrow on the map above pointing to?A.the Murray RiverB.the Darling RiverC.the Waikato RiverD.Sunderland Falls PLEASE HELP!!! WILL GIVE BRAINLIEST!! Which of these numbers is expressed properly in scientific notation?