Answer:
processing statement
Explanation:
processing statement is used to perform calculation or assignment.
PLS HURRY!!! Look at the image below!
The choices for the second part are number +1, number, number -1
1. <1
2. -1
Explanation:
Choose all that apply.
Which statement below describes the use of lists in presentation programs?
Bullets can be turned off and on.
Lists don't have to use numbers or bullets.
Use bulleted lists but not numbered lists.
Use numbered and bulleted lists.
Use numbered lists but not bulleted lists.
Answer:
Bullets can be turned off and on.
Lists don't have to use numbers or bullets.
Explanation:
because L just wanted the light
The statement that describes the use of lists in presentation programs is that bullets can be turned off and on, and use numbered and bulleted lists. The correct options are A and D.
What are bullets?A bullet point is a symbol used in writing to introduce a list item. A centered dot (•) is a common symbol for a bullet point, but many other symbols and characters can be used in bullet point lists. Bulleted lists may also include numbers and/or letters.
Each paragraph in a bulleted list begins with a bullet character. Each paragraph in a numbered list begins with an expression that includes a number or letter as well as a separator such as a period or parenthesis.
When you add or remove paragraphs from a numbered list, the numbers in the list are automatically updated.
Bullets can be turned off and on, and numbered and bulleted lists can be used.
Thus, the correct options are A and D.
For more details regarding presentations, visit:
https://brainly.com/question/14498361
#SPJ2
8.7 Code Practice Question 3
Use the following initializer list:
w = [“Algorithm”, “Logic”, “Filter”, “Software”, “Network”, “Parameters”, “Analyze”, “Algorithm”, “Functionality”, “Viruses”]
Create a second array named s. Then, using a loop, store the lengths of each word in the array above. In a separate for loop, print on separate lines the length of the word followed by the word
I included my code in the picture below.
The for loop that can be used to loop through the array s and get the length and the word is a follows:
s = ["Algorithm", "Logic", "Filter", "Software", "Network", "Parameters", "Analyze", "Algorithm", "Functionality", "Viruses"]
for i in s:
print(len(i), ":", i)
The variable s is used to store the array of strings
The for loop is used to loop through the array .
The length of each string and the string is printed out.
When the code is run, you will get exactly like the sample Run.
learn more: https://brainly.com/question/23800781?referrer=searchResults
A secure website has https instead of http in web address true or false
Answer:
True
Explanation:
https has SSL which http doesn't. SSL encrypts your information so your connections are secured. Therefore websites with https are more secure.
How do I keep my computer and data safe and secure while using the Internet?
Answer:
Don’t answer anything unless it’s someone who you know.
Explanation:
Some things that I use is a VPN...
Also make sure not to overshare information on social media...
Oh and don't use the same password for everything (I'm guilty of this one lol)
(JAVA PLS)
Your job in this assignment is to write a program that takes a message as a string and reduces the number of characters it uses in two different set ways. The first thing your program will do is ask the user to type a message which will be stored as a String. The String entered should be immediately converted to lowercase as this will make processing much easier. You will then apply two different algorithms to shorten the data contained within the String.
Algorithm 1
This algorithm creates a string from the message in which every vowel (a, e, i, o, and u) is removed unless the vowel is at the very start of a word (i.e., it is preceded by a space or is the first letter of the message). Every repeated non-vowel character is also removed from the new string (i.e., if a character appears several times in a row it should only appear once at that location). So for example the string "I will arrive in Mississippi really soon" becomes "i wl arv in mssp rly sn".
After applying this algorithm, your program should output the shortened message, the number of vowels removed, the number of repeated non-vowel characters removed, and how much shorter the shortened message is than the original message. The exact format in which the program should print this information is shown in the sample runs.
Algorithm 2
This algorithm creates a string by taking each unique character in the message in the order they first appear and putting that letter and the number of times it appears in the original message into the shortened string. Your algorithm should ignore any spaces in the message, and any characters which it has already put into the shortened string. For example, the string "I will arrive in Mississippi really soon" becomes "8i1w4l2a3r1v2e2n1m5s2p1y2o".
After applying this algorithm, your program should output the shortened message, the number of different characters appearing, and how much shorter the shortened message is than the original message. The exact format in which the program should print this information is shown in the sample runs.
Sample Run 1
Type the message to be shortened
This message could be a little shorter
Algorithm 1
Vowels removed: 11
Repeats removed: 2
Algorithm 1 message: ths msg cld b a ltl shrtr
Algorithm 1 characters saved: 13
Algorithm 2
Unique characters found: 15
Algorithm 2 message: 4t2h2i4s1m5e2a1g1c2o1u3l1d1b2r
Algorithm 2 characters saved: 8
Sample Run 2
Type the message to be shortened
I will arrive in Mississippi really soon
Algorithm 1
Vowels removed: 11
Repeats removed: 6
Algorithm 1 message: i wl arv in mssp rly sn
Algorithm 1 characters saved: 17
Algorithm 2
Unique characters found: 13
Algorithm 2 message: 8i1w4l2a3r1v2e2n1m5s2p1y2o
Algorithm 2 characters saved: 14
import java.util.Scanner;
public class JavaApplication54 {
public static int appearance(String word, char letter){
int count = 0;
for (int i = 0; i < word.length(); i++){
if (word.charAt(i) == letter){
count++;
}
}
return count;
}
public static void main(String[] args) {
Scanner scan = new Scanner(System.in);
System.out.println("Type the message to be shortened");
String message = scan.nextLine();
message = message.toLowerCase();
int volCount = 0, repCount = 0, num = 0;
char prevC = ' ';
String vowels = "aeiou";
String newMessage = "";
for (int i = 0; i < message.length(); i++){
char c = message.charAt(i);
if (vowels.indexOf(c) != -1 && prevC == ' '){
newMessage += c;
}
else if (vowels.indexOf(c) == -1 && prevC != c){
newMessage += c;
}
else if (vowels.indexOf(c) != -1){
volCount ++;
}
else{
repCount++;
}
prevC = c;
}
System.out.println("Algorithm 1");
System.out.println("Vowels removed: "+volCount);
System.out.println("Repeats removed: "+repCount);
System.out.println("Algorithm 1 message: "+newMessage);
System.out.println("Algorithm 1 characters saved: "+(message.length() - newMessage.length()));
String uniqueMessage = "";
for (int i = 0; i<message.length(); i++){
char w = message.charAt(i);
if (uniqueMessage.indexOf(w)== -1 && w!=' '){
uniqueMessage += appearance(message,w)+""+w;
num++;
}
}
System.out.println("Algorithm 2");
System.out.println("Unique characters found: "+num);
System.out.println("Algorithm 2 message: "+uniqueMessage);
System.out.println("Algorithm 2 characters saved: "+(message.length() - uniqueMessage.length()));
}
}
I hope this helps!
Can someone tell me what to do?
Answer:
are you coding ?
Explanation:
Write an IF…ELSE program that computes the new salary for Ann, the Chief Information Officer of ABC Company. Ann’s current salary is $92,000 a year, and she has worked at ABC for four years. Please note the following: one-year employees get a 2 percent raise two-year employees get a 3 percent raise three-year employees get a 4 percent raise four-year employees get a 5 percent raise five-year employees get a 6 percent raise What is Ann’s new salary?
I’ll make you the brainless if you can help me plz
In python 3.8:
salary = 92000
years = 4
if years == 1:
salary += (salary*0.02)
elif years == 2:
salary += (salary * 0.03)
elif years == 3:
salary += (salary *0.04)
elif years == 4:
salary += (salary*0.05)
elif years >= 5:
salary += (salary*0.06)
print(salary)
If we run this code, Ann's new salary will be 96600.
Which rules should be remembered when creating formulas using nested functions? Check all that apply.
Use an equal sign at the beginning of the formula.
Use open and close parenthesis for each set of nested functions.
Use an equal sign before each function.
All arguments should be in CAPS.
Functions should be in CAPS.
Separate functions with commas.
Answer:
Use an equal sign at the beginning of the formula (A)
Use open and close parenthesis for each set of nested functions (B)
Functions should be in CAPS
Separate functions with commas
Explanation:
Answer:
A
B
E
F
Explanation:
Using the drop-down menu, identify the common IDE components.
A
tests a program one step at a time to find and fix errors.
А
translates the program from high-level programming language into machine
language so it is ready to run whenever it is called.
The
v is the main programming tool used to create, modify, and save code.
The
tool helps programmers write directions for repetitive tasks as they construct a
program
An
v translates each line of code from high-level programming language to machine
language and executes it when it is called to run.
Answer:
test a program one step at to find and fix errors
Answer:
debuger
compiler
source code editor
build automation
interpreter
Explanation:
How can goal setting help with academic performance?
a) it helps you focus on what needs to be done.
b) it is an effective study skill.
c) writing goals down makes them happen
d) they help you understand content better
How are computer networks connected?
Answer:Computer networks connect nodes like computers, routers, and switches using cables, fiber optics, or wireless signals. These connections allow devices in a network to communicate and share information and resources. Networks follow protocols, which define how communications are sent and received.
Explanation.
hope this helped you find what your looking for
Did anyone else remember that Unus Annus is gone? I started crying when I remembered.... Momento Mori my friends.... Momento Mori...
Answer:
???
Explanation:
Did I miss something?
Answer:
Yes I remember its gone.
Explanation: I was there when the final seconds struck zero. The screen went black, and the people screaming for their final goodbyes seemed to look like acceptance at first. I will never forget them, and hopefully they will remember about the time capsule. Momento Mori, Unus Annus.
4.8 code practice question 2
Answer:
Written in Python
for count in range(88, 42,-2):
print(count,end=' ')
Explanation:
The programming language is not stated.
However, I used python to answer the question.
First, we need to loop from 88 to 44 with a difference of -2 in each term.
This is implemented as
for count in range(88, 42,-2):
Which means to start at 88 and ends at 42 - (-2) which is 44 with an increment of -2
Next, is to print the current iterating value;
This is implemented using print(count)
However, since all values are to be printed on a line, there's a need t modify the statement as: print(count,end=' ')
I am coding a turtle race in python I have to Use a single call to forward for each turtle, using a random number as the distance to move
import turtle,random
s = turtle.getscreen()
t1 = turtle.Turtle()
t2 = turtle.Turtle()
t3 = turtle.Turtle()
t2.penup()
t2.goto(1,100)
t3.penup()
t3.goto(1,200)
while True:
t1.forward(random.randint(1,10))
t2.forward(random.randint(1,10))
t3.forward(random.randint(1,10))
if t1.xcor() >= 180:
print("Turtle 1 won the race!")
quit()
elif t2.xcor()>= 180:
print("Turtle 2 won the race!")
quit()
elif t3.xcor() >= 180:
print("Turtle 3 won the race")
quit()
I hope this helps!
Answer:
if you mean to set a speed. Im not sure. however, move turtle.forward(random number) i can do
import turtle
import random
random_int = random.randint(20, 1000)
win = turtle.Screen()
turtle_1 = turtle.Turtle()
turtle_1.forward(random_int)
win.mainloop()
What program has unique drag and drop support functions?
Answer:
theres actually alot
Explanation:
apple has a drop file function where you drag and drop
ill name a few
dropbox, apple, windows, linux etc.
Complete the sentence.
A security program must be user-friendly and ensure employers and customers are ______
to use the security measures
1.) afraid
2.) encouraged
3.) discouraged
Consider the following instructions for a game element: Move Forward If not at end, move forward Else stop This is an example of which type of programming structure? A Iteration B Looping с Selection D Object OPEN
Answer:
C.
Explanation:
Dr. Thomas likes to follow up with her patients to make sure they were happy with their care. She sends all patients an email encouraging them to call her office with any questions or to schedule future appointments. Dr. Thomas chooses email as the for this communication.
Answer:
lean media
Explanation:
Dr. Thomas uses email as a medium of lean media to convey messages.
Lean media may be defined as the source of conveying messages that are short or of lean capacity. It is meant for instant messages and message and information that is not considered to be of out most importance. Whereas a rich media is a video chat or face to face communication.
Dr. Thomas send emails to her patients to follow up with them and also encourages her patients to call her for appointments or any questions. She uses email as a source of lean media for this communication.
Answer:
lean media
Explanation:
A scatter plot can be used with both numerical and non numerical values. True or False?
Answer:
true
Explanation:
Look at the slide.
An example of a slide. There is a title. There is one main bullet entry with 3 subentries below it. There is a lot of text on the slide. There is no image. The background is dark red and the text is black.
How could the slide best be improved?
by choosing a better font
by providing more information
by using a lighter background
by enlarging the heading
Answer:
c
Explanation:
Answer:
the answer is c
Explanation:
100%
Nina is learning about clouds in her science class so she puts the phrase "types of clouds" in a search engine. In which step of a crawler-based search engine is this phrase most important?
A) indexing
B) crawling
C) ranking
D) retrieving
Answer: d. Retrieving
Explanation:
A crawler-based search engine is a type of search engines whereby a "crawler" or "spider' is used in searching the Internet. The function of the spider or the crawler is to help dig through the web pages, and then pull out the keywords relating to what the person typed in the search engine. Examples include Yahoo and Google.
Based on the information given in the question, the step of a crawler-based search engine that this phrase is most important is the retrieving stage. At that stage, the person is trying to get some information relating to what was typed in the search engine.
The profile picture that you plan to use to market your professional brand on social media networks should feature you only.
True
False
Answer:
false
Explanation:
explain logic circuit
Computers often chain logic gates together, by taking the output from one gate and using it as the input to another gate. We call that a logic circuit. Circuits enables computers to do more complex operations than they could accomplish with just a single gate. The smallest circuit is a chain of 2 logic gates.
Logic circuits include such devices as multiplexers, registers, arithmetic logic units (ALUs), and computer memory, all the way up through complete microprocessors, which may contain more than 100 million gates. In modern practice, most gates are made from MOSFETs (metal–oxide–semiconductor field-effect transistors).
Is a MODEM required for Internet Connectivity ?
Yes
No
Answer:
you can connect to the wifi on your device it will say you are connected but the wifi will not be connected to the internet so you will be able to do nothing on it without the modem
Explanation:
Answer:
NEED modem between the cable and your computer. No modem, no Internet.
The Answer is NO
How does Python recognize a tuple?
You use brackets around the data values.
You use parentheses around the data values.
You declare myTuple to be a tuple, as in "myTuple = new tuple".
You use tuple when you create it, as in "myTuple = tuple(3, 5)".
Answer:
B) You use parentheses around the data values
Explanation:
It was C) on my end, but the answer is still the same :)
Python recognizes a tuple if you declare myTuple to be a tuple, as in "myTuple = new tuple". The correct option is C.
What is python?Python is a popular computer programming language used to create software and websites, automate processes, and analyze data. Python is a general-purpose language, which means it may be used to make many various types of applications and isn't tailored for any particular issues.
Python is frequently considered as one of the simplest programming languages to learn for novices. Python is a wonderful place to start if you're interested in learning a programming language. In addition, it is one of the most popular.
Therefore, the correct option is C, You declare myTuple to be a tuple, as in "myTuple = new tuple".
To learn more about python, refer to the link:
https://brainly.com/question/18502436
#SPJ2
Next, let's examine what happens when you apply a style to an element that contains other elements. The body element in the HTML file contains all the elements that are displayed. Clear the existing code from the style sheet, and set the color of the body element to green. Write the code for the style change and record what you observe.
Answer:
When the body element CSS color style was changed, The color of all the text in the HTML file changed to the specified color, the same goes for font-size, font-weight, etc.
Explanation:
HTML or hypertext markup language is a markup language used in web development to implement the position and structure of the web page. It has no style, so, CSS or cascading style sheet is used to style the HTML elements in the web page.
Write a program in QBASIC to display the first 10 numbers of the fibonacci series:
0,1,1,2,3,5,... up to 10 terms.
(Hint- Take the first two numbers 0 and 1. Now obtain the next number by adding them. For example:0+1=1)
Answer:
#include<iostream>
using namespace std;
int main()
{
int a=0,b=1;
int i,c;
cout<<a<<" "<<b<<" ";
for(i=3;i<=10;i++)
{
c=a+b;
cout<<c<<" ";
a=b;
b=c;
}
return 0;
}
Explanation:
A patient calls the insurance company's call center
to be directed to the on-call nurse. The patient
provides his Social Security number, date of birth,
and policy number to the call center employee so
his call can be transferred appropriately. The
employee makes sure not to say the patient's
Social Security number out loud
Answer:
Respect confidentiality of data
Explanation:
The employee makes sure not to say the patient's Social Security number out loud to Respecting the confidentiality of the data.
What is insurance?Insurance is a strategy used to safeguard a person from impending financial losses and other projected losses. Additionally, you can get health, property, or auto insurance. A person typically purchases health insurance in order to protect their health or wellbeing. When a person needs medical attention, health care offers financial assistance.
As the person's data that has been taken from the person is treated as confidential and if leaked may affect the life of that person. In order to protect patient privacy, the staff is careful to keep the participant's Social Security information to themselves and their family.
Learn more about insurance, here:
https://brainly.com/question/1400638
#SPJ2
The code below is repetitious. What is the output of this program?
num = 3
num = num + 1
num = num + 1
num = num + 1
print(num)
Answer:
6
Explanation:
Answer:
6
Explanation:
Edge 2021