Answer:
10110011
Explanation:
The number 179.187 can be expressed as:
128 + 32 + 16 + 2 + 1
So, the answer is: 10110011
JAVA Prompt #2: Given an array of Strings called paint Colors, paint a line in the direction that a Painter
picasso is facing until it reaches a barrier. Paint the line in the color stored as the second element of
paintColors.
Using the knowledge in computational language in JAVA it is possible to write a code that Given an array of Strings called paint Colors, paint a line in the direction that a Painter picasso is facing until it reaches a barrier.
Writting the code:public ColorsPane(PaintPane paintPane) {
add(new JButton(new ColorAction(paintPane, "Red", Color.RED)));
add(new JButton(new ColorAction(paintPane, "Green", Color.GREEN)));
add(new JButton(new ColorAction(paintPane, "Blue", Color.BLUE)));
}
public class ColorAction extends AbstractAction {
private PaintPane paintPane;
private Color color;
private ColorAction(PaintPane paintPane, String name, Color color) {
putValue(NAME, name);
this.paintPane = paintPane;
this.color = color;
}
See more about JAVA at brainly.com/question/12975450
#SPJ1
You are the new head of a medium-sized company providing services focused on investments and financial applications for individual and corporate clients:
The company's headquarters has an IT park with 60 terminals (desktops), which have Windows OS and the MS-Office package, but you do not have control of licensing this, since the previous boss did not provide this documentation.
In addition to these computers, there are 5 printers, which have connectivity functionality to the computer network. It should be noted that this same computer network has Wi-Fi connectivity for employees, outsourced workers and customers, who have common access to the same single contracted Internet link, that is, everyone has the same access privileges.
All equipment is interconnected in the same network, either wired or via Wi-Fi, including the 3 local servers, one for the Database, another for the Application and a third used as a file server for all employees .
The e-mails are maintained by a Provider, as well as the company's website and virtual store, where customers can consult their investments and carry out real financial applications or simulations.
Three large systems are installed on these servers, one ERP for the main business, the second for human resources management and the CRM is also installed there.
This company has an average of 90 employees, who work directly and indirectly, and 80 work exclusively directly, that is, they are direct employees of this company.
External consultants and outsourced professionals have their own or company notebooks to connect to the network.
In addition, this company recently had a series of misfortunes with its data, as the previous boss subtracted more than half of the customers to another company that he individually owned, without the need for profit sharing. In addition to the fact that the company was invaded by thieves, who subtracted some equipment. And yet, some company employees chose to leave their company to work with their “former boss”.
QUESTION: WHAT WOULD BE YOUR MAIN ACTIONS WHEN TAKING OVER THE LEADERSHIP OF THIS COMPANY?
Business leadership is the ability of an organization's management to define and achieve hard goals, move swiftly and decisively when necessary, outperform the competition, and motivate employees to perform to the best of their abilities.
Thus, In contrast to quantitative measures, which are frequently tracked and much simpler to compare between organizations, it can be challenging to put a value on leadership or other qualitative qualities of a company.
As in the tone a firm's management sets or the culture of the organization that management produces, leadership can also refer to a more all-encompassing approach.
Setting and attaining goals, taking on the competition, and finding quick and effective solutions to issues are all aspects of leadership. Leadership may also be defined as the corporate culture that a company's management establishes.
Thus, Business leadership is the ability of an organization's management to define and achieve hard goals, move swiftly and decisively when necessary, outperform the competition, and motivate employees to perform to the best of their abilities.
Learn more about Leadership, refer to the link:
https://brainly.com/question/32010814
#SPJ1
Describe a topic, idea, or concept in the tech space you find engaging it makes you lose all track of time. Why does it captivate you? Why does it captivate and inspire you.
The fascinating subfields of computer science include numerous that deal with data, technology, life, money, health, and other topics.
In the modern world, computer science is used in practically everything, including the devices we use every day.
In computer science, what is a subdomain?According to the DNS hierarchy, a subdomain is a domain that is a subdomain of a larger domain. For particular or distinctive information on a website, it is utilised as a quick and simple technique to establish a more memorable Web address.
Which computer science subfields are there?The primary fields of study in computer science are artificial intelligence, computer systems and networks, security, database systems, human computer interaction, vision and graphics, numerical analysis, programming languages, software engineering, bioinformatics, and computing theory.
To know more about computer science visit:-
https://brainly.com/question/20837448
#SPJ1
I am having trouble with this python question. I am in a beginner level class also so any solution that isn't too complex would be great so I can wrap my head around it! Thanks!
Given a text file containing the availability of food items, write a program that reads the information from the text file and outputs the available food items. The program first reads the name of the text file from the user. The program then reads the text file, stores the information into four separate lists, and outputs the available food items in the following format: name (category) -- description
Assume the text file contains the category, name, description, and availability of at least one food item, separated by a tab character ('\t').
Ex: If the input of the program is:
food.txt
and the contents of food.txt are:
Sandwiches Ham sandwich Classic ham sandwich Available
Sandwiches Chicken salad sandwich Chicken salad sandwich Not available
Sandwiches Cheeseburger Classic cheeseburger Not available
Salads Caesar salad Chunks of romaine heart lettuce dressed with lemon juice Available
Salads Asian salad Mixed greens with ginger dressing, sprinkled with sesame Not available
Beverages Water 16oz bottled water Available
Beverages Coca-Cola 16oz Coca-Cola Not available
Mexican food Chicken tacos Grilled chicken breast in freshly made tortillas Not available
Mexican food Beef tacos Ground beef in freshly made tortillas Available
Vegetarian Avocado sandwich Sliced avocado with fruity spread Not available
the output of the program is:
Ham sandwich (Sandwiches) -- Classic ham sandwich
Caesar salad (Salads) -- Chunks of romaine heart lettuce dressed with lemon juice
Water (Beverages) -- 16oz bottled water
Beef tacos (Mexican food) -- Ground beef in freshly made tortillas
The code:
filename = input("> ")
with open(filename, "r") as file:
items = file.read()
items = items.split("\n")
for index, item in enumerate(items):
items[index] = item.split("\t")
for item in items:
if item[3] == "Available":
print(f"{item[1]} ({item[0]}) -- {item[2]}")
Explenation:
1. We make the user enter the file's path, in our case "food.txt". This does only work if the .txt file is in the same directory as our code.
2. We get the content of our .txt file with the "open" function. If we use the "open" function inside of a "with" statement we don't have to deal with closing the file after we opened it. The file will close as soon as we exit the statement. The argument "r" indicates that we only want to read the file, not do anything else with it.
3. However the variable "file" doesn't contain the contents of "food.txt", only the class object of our file (if you try "print(file)" you'll only get nonsense). We can simply get the content of the file by calling ".read()" after.
4. We can separate this long str using the ".split()" function. The split function seperates a string by another sertain string (in our case "\n", since the different items are seperated by a newline). Now "items" is a list of strings.
5. Next we go through all items in "items" and separate them by "\t", again using the ".split()" function. Enumerate makes a list of indexes and values from another list (in our case, "items").
6. Now we have a list of lists of strings. The only thing left to do is go through every item and print it if the item's third item is equal to "Available" (notice that this is case-sensative). And print out the result in the desired format.
The code works for me, please ask me if there is anything you don't understand (or if the code is incorrect). Happy to help :D
Neview of related literature happens in two wayo (1) Traditional and
review
svatematic revion is for (2)
traditional for (3)
Avio statistical results makes you use (4)
kind of
systematic review Th e materials to review are general reference, primary
rofononoon and (5)
review
through meta-analysis
given
by
studies, not by (8)
that are characterized
by dissimilar research aspects. Whatever studios thestatistical results
from, these should
be (9)
-based
results meaning they are based on facts Not giving importance to proofs or
evidence, you nesort to presenting literature review results in (10)
Answer:
I dont know the question all i know is the answers or whatever
Explanation:
What feature allows a person to key on the new lines without tapping the return or enter key
The feature that allows a person to key on new lines without tapping the return or enter key is called word wrap
How to determine the featureWhen the current line is full with text, word wrap automatically shifts the pointer to a new line, removing the need to manually press the return or enter key.
In apps like word processors, text editors, and messaging services, it makes sure that text flows naturally within the available space.
This function allows for continued typing without the interruption of line breaks, which is very helpful when writing large paragraphs or dealing with a little amount of screen space.
Learn more about word wrap at: https://brainly.com/question/26721412
#SPJ1
sari
Questions
Question 3 of 8
A-Z
» Listen
Companies are chosen for collaboration based on quality, reputation, and
price.
False
True
Answer:
aaaaaaaaaaaaaaaaaaaaaaaaaa
Explanation:
que es una red de datos
Answer:
donde se guarda information o a dode sebuca
8.3 code practice edhesive PLEASE HELP AND HURRY
Write a program that uses an initializer list to store the following set of numbers in an array named nums. Then, print the array.
14 36 31 -2 11 -6
Sample Run
[14, 36, 31, -2, 11, -6]
ALSO I DONT NEED A SUM I NEED AN ARRAY
Answer:
numbers = '14 36 31 -2 11 -6'
nums = numbers.split(' ')
for i in range(0, len(nums)):
nums[i] = int(nums[i])
print(nums)
The program is an illustration of arrays and lists.
Arrays and lists are variables that are used to hold multiply values in one variable
The program in Python, where comments are used to explain each line is as follows:
#This gets input for the list of numbers
numbers = input()
#This splits the numbers into a list
numList = numbers.split(' ')
#This iterates through the list
for i in range(len(numList)):
#This converts each element to an integer
numList[i] = int(numList[i])
#This prints the list
print(numList)
Read more about Python lists at:
https://brainly.com/question/24941798
survey and describe the system
Survey systems help create, distribute, and analyze surveys by providing a framework for designing questionnaires, managing respondents, and analyzing data.
What is survey?A survey system lets users create surveys with different question types and response options. The system offers multiple ways to distribute surveys, including sharing a web link, email invites, website embedding, and social media.
Data is collected from respondents and stored accurately and securely, with error checking and validation in place. After survey completion, analyze data with summary stats, visualizations, filters, and cross-tabulations for identifying patterns. Survey systems have reporting features to generate detailed reports based on its data, including statistics, graphs, etc.
Learn more about survey from
https://brainly.com/question/14610641
#SPJ1
What are examples of object types that can be viewed in the Navigation pane? Check all that :
commands
forms
options
queries
tasks
tables
Answer:
2.) Forms
4.) Queries
6.) Tables
Explanation:
Most operating system have GUI as part of the system, which is the following best describes an operating system GUI
A Graphical User Interface (GUI) is the component of an operating system that allows users to communicate with the system using graphical elements. GUIs are generally used to give end-users an efficient and intuitive way to interact with a computer.
They provide an easy-to-use interface that allows users to manipulate various objects on the screen with the use of a mouse, keyboard, or other input device.The primary function of an operating system GUI is to make it easier for users to interact with the system.
This is done by providing visual feedback and a simple way to access various system functions. GUIs can be customized to suit the user's preferences, which means that they can be tailored to meet the specific needs of different users.Some of the key features of a GUI include the use of windows, icons, menus, and buttons.
Windows are used to display information and applications, while icons are used to represent various objects or applications on the screen. Menus and buttons are used to provide users with a way to access various system functions, such as saving a file or printing a document.
The use of a GUI has become a standard feature of most operating systems. This is because GUIs make it easier for users to interact with computers, and they provide an efficient and intuitive way to access various system functions.
For more such questions on Graphical User Interface, click on:
https://brainly.com/question/28901718
#SPJ8
When a computer is being developed, it is usually first simulated by a program that runs one instruction at a time. Even multiprocessors are simulated strictly sequentially like this. Is it possible for a race condition to occur when there are no simultaneous events like this?
My response is Yes, the simulated computer is one that can be multiprogram med.
What is meant by computer simulations?A computer simulation is known to be a kind of a program that is known to often run on a computer and it is said to be one that uses a form of step-by-step mechanism to examine or look through the behavior of a mathematical model.
Note that this is said to be a model of a real-world system and as such, My response is Yes, the simulated computer is one that can be multiprogram med.
Learn more about simulated computer from
https://brainly.com/question/24912812
#SPJ1
Given integer currentBananas, if the number of bananas is 5 or more but fewer than or equal to 20, output "Allowable batch", followed by a newline.
Ex: If the input is 18, then the output is:
Allowable batch
To implement this in C++, you can use an if statement to check if the value of currentBananas is within the given range.
How to implement the statement in c++?A sample code for implementing the check for the allowable batch of currentbananas would be:
#include <iostream>
int main() {
int currentBananas;
std::cin >> currentBananas;
if (currentBananas >= 5 && currentBananas <= 20) {
std::cout << "Allowable batch" << std::endl;
}
return 0;
}
This code takes an integer input for currentBananas and checks if its value is greater than or equal to 5 and less than or equal to 20. If the condition is true, it prints "Allowable batch" followed by a newline.
Find out more on input at https://brainly.com/question/13885665
#SPJ1
What is the main reason for assigning roles to members of a group?
So that people with strengths in different areas can work on what they do best, plus it divides the workload.
Do you think privacy policies are effective in social networking sites?
Answer:
When that information gets posted online, it is no longer private, and may end up falling into wrong hands. Even if you have put in place the highest possible security measures, some of your friends, colleagues and companies you interact with on social media, can end up leaking your personal information.
In my opinion, privacy policies are less effective in social networking sites When that fact receives published online, it's far now not private, and can become falling into incorrect hands.
What is the privacy in networking sites?Privacy and safety settings exist for a reason: Learn approximately and use the privateness and safety settings on social networks. They are there that will help you manipulate who sees what you put up and control your online revel in in a fine way.
Even when you have installed location the best viable safety measures, a number of your friends, colleagues and businesses you engage with on social media, can become leaking your private facts.
Read more about the social networking:
https://brainly.com/question/3653791
#SPJ2
A customer uses an app to order pizza for delivery. Which component includes
aspects of the customer's interaction with an enterprise platform?
~frestoripongetosarangeou
A consumer orders pizza for delivery via an app. The element of the data component covers how a customer interacts with an enterprise platform
What is the data component?A data component is a tool that provides information on the activities taking place on a certain enterprise platform. This application also aids in keeping track of the available inventory.
In this approach, customers place their orders through a smartphone app.
Therefore, while ordering pizza the consumer uses the data component.
To know more about the Data component, visit the link below:
https://brainly.com/question/27976243
#SPJ2
Your friend is applying for a job at your company she asks you to recommend her she wants you to tell your boss that you have worked with her before even though that is not true what is the ethical thing to do ?
Answer: Tell them you can’t lie
Explanation:
The ethical thing to do and just tell her you cannot lie about working with her when your friend is applying for a job at your company she asks you to recommend her she wants you to tell your boss that you have worked with her before even though that is not true what is the ethical thing to do
How do you tell your boss your friend applied?Start to write the letter for your friend and make it to attach to his application as well as suggest and he mention your name and the recommendation in his cover letter. In the small company, just talk to the boss personally to say you would just like to make the recommendation via the personal introduction. An informal coffee or the lunch meeting could get the ball rolling.
Try to Start by saying that you have been heard that both of you are has being considered for the same position. Be the supportive person for your friend and just let them know that if you would not the one who will get the job, and just hope it is them. The key thing which is just to remember is that your friendship will be likely last far longer than this particular job search.
Therefore, The ethical thing to do and just tell her you cannot lie about working with her
Learn more about ethical thing on:
https://brainly.com/question/16810162
#SPJ7
(answer asap!! Giving brainliest if correct!)
Felix is going back through an email he wrote and editing it to make it more to the point and to get rid of extra words where they're not needed. What characteristic of effective communication is he working on?
A: conciseness
B: completeness
C: correctness
D: courteousness
Answer:
A: conciseness
I have to do this shape-up and have this on notepad but I don't know what my next move should be to be able to run it.
This is the Specifications for the shape up • Add a 2-tier navigation menu. The main menu and Stress Relief submenu should include the links shown above. In addition, a Healthy Diets submenu should be included with the links “Why a Healthy Diet?”, “Plan Your Meals”, “Count Your Calories”, and “Calculate Your BMI”. Be sure all the links refer to the correct pages. (The “What is Stress?” link should refer to the index.html page in the stress folder, and the “Why a Healthy Diet?” link should refer to the index.html page in the diet folder).
• Format the navigation menu so the background color is steelblue, so the link for the page that’s currently displayed (in this case, Home) has black text, and so the link that the mouse is hovering over or has the focus (in this case, Meditation) has a lightsteelblue background.
• Remove the links from the h3 headings in the section, since these pages can now be accessed from the menu.
• Modify the logo in the header so it’s a link that displays the home page. • Format the list in the sidebar so there’s no space to the left of the list items. In addition, remove the underlines from the links in the list items.
Using the knowledge in computational language in html it is possible to write a code that enhance the home page you worked on in so it includes a two-tier horizontal navigation menu and an image link.
Writting the code:<!DOCTYPE html>
<html lang="en">
<head>
<style>
{
margin: 0;
padding: 0;
}
body
{
font-family: Arial, Helvetica, sans-serif;
font-size: 100%;
margin-left: 10px;
width: 900px;
margin: 0 auto;
border: 3px solid steelblue;
border-radius: 2px;
box-shadow: 2px 2px 3px 3px black;
background-color: #fffded;
}
a{ text-decoration:none;
}
a:link {color:maroon;}
a:visited{color:maroon;}
a:hover, a:focus{ color:steelblue;}
main p:first-child, a:hover, a:focus{color:maroon;}
main p:last-child,a:visited,a:focus,a:link{color:steelblue;}
header
{
padding-bottom: 1em;
border-bottom: 3px solid steelblue;
background-image: -moz-linear-gradient(
180deg, white 0%, lightsteelblue 100%);
background-image: -webkit-linear-gradient(
180deg, white 0%, lightsteelblue 100%);
background-image: -o-linear-gradient(
180deg, white 0%, lightsteelblue 100%);
background-image: linear-gradient(
180deg, white 0%, lightsteelblue 100%)
}
.quote
{
text-indent: 50px;
padding: .5em .5em .5em .5em;
}
header img
{
float:left;
margin-right:1em;
}
#div1 {
position: relative;
}
#div1 > a {
cursor:pointer;
list-style:none;
}
#div2 {
position: absolute;
top: 100%;
left: 0;
display:none;
height: 30px;
width: 200px;
background-color: white;
z-index: 20;
}
#div1:hover #div2 {
display:block;
}
#div3 {
position: relative;
}
#div3 > a {
cursor:pointer;
list-style:none;
}
#div4 {
position: absolute;
top: 100%;
left: 0;
display:none;
height: 30px;
width: 215px;
background-color: white;
z-index: 20;
}
</footer>
</body>
</html>
See more about html at brainly.com/question/15093505
#SPJ1
When using for loops to iterate through (access all elements of a 2D list), the outer loop accesses the __________.
Answer:
When using for loops to iterate through (access all elements of a 2D list), the outer loop accesses the iterates over the sublists of the 2D list, enabling you to conduct actions on individual rows or access specific components inside rows. The inner loop is then used to iterate through each sublist or row's items.
which of the following explains a continuity in the effect of technological innovation on the production of goods in the late 1800s?
The effect of technological innovation on the production of goods in the late 1800s explains New industrial machines increased the number of goods that factories could make.
What is the effect of technological innovation?The United States saw remarkable growth following the Civil War, turning it into an industrial powerhouse in no time. Technology advancements, the increase of industrial agriculture, and the federal government's own expansion all contributed to this boom. Additionally, there were conflicts over federal Indian policies and immigration, and in the late 1800s, there were more demands for women's and workers' rights. The late 1880s saw a plethora of technologies that fueled the expansion of cities. The electric light bulb, created by Thomas Edison, made it easier to illuminate houses and workplaces and lengthened the workweek by enabling people to work and complete tasks at night.The complete question is
Which of the following explains a continuity in the effect of technological innovation on the production of goods in the late 1800s?
A.Improved manufacturing practices gradually reduced reliance on immigrant workers.
B.Improved quality of manufacturing steadily decreased demand for consumer goods.
C.New types of transportation increasingly shifted industrial centers from the North to the South
D.New industrial machines increased the number of goods that factories could make.
To learn more about technological innovation refer to:
https://brainly.com/question/14731208
#SPJ4
With which feature or menu option of a word processing program can you make an image like this?
Answer:
The physical benefits include the following except
Which four of the following are true about fair use?
D,C,B
Should be the correct answers. I'm not the best when it comes to copyright but I believe those are correct.
You are required to design the network for a institute, what are the aspects that you take into consideration? in relation to the network layer and transportation layer.
a ___ is a type of computer that is small and portable?
Answer:
laptop
Explanation:
laptops are small and they can be taken anywhere.
Walter D is 7 inches after he has secx its 9 inches how much did secx add?
Answer:
2
Explanation:
Hope this helps <3
(I also just want to note that this question is a bit sussy lol)
why is the statement if x=y not working in python
Answer:
x=1
Explanation:
Re-run your installer (e.g. in Downloads, python-3.8. 4.exe) and Select "Modify". Check all the optional features you want (likely no changes), then click [Next]. Check [x] "Add Python to environment variables", and [Install]
7 steps in infographic design
Answer:
Step 1: Choose your topic and research your audience. Before looking at your data, think about a topic and an audience with whom it can resonate.
Step 2: Take a look at your data and consolidate it.
Step 3: Craft the copy.
Step 4: Design!
Step 5: Review, review, review.
Step 6: Publish and promote.
Conclusion.
Explanation:
Process infographics are a specific type of infographic, designed to visualize, summarize and simplify processes. They're perfect for visualizing marketing strategies, new employee onboarding, customer journey maps, product guides, recipes and more.
What are the Benefits and drawbacks of automatic stock control?
The automatic stock control are benefits and drawbacks are:
Automatic stock control benefit:
Rises Customer Satisfaction.Automatic stock control drawbacks:
Low management costsWhat is stock?
The term stock refers to the product are the ready to the sale for the bulk in the production. The stock are always in the bulk in items. The stock are the measure according to the quantity. The stock was ready to deliver to the wholesaler.
Automatic stock control benefit:
Reduced Overhead Costs.Rises Customer Satisfaction.Automatic stock control drawbacks:
Low management costs Easy to manages.As a result, the automatic stock control are benefits and drawbacks.
Learn more about stock, here:
https://brainly.com/question/14649952
#SPJ1