ECE484_MP1_SP2024
pdf
keyboard_arrow_up
School
University of Illinois, Urbana Champaign *
*We aren’t endorsed by this school
Course
484
Subject
Electrical Engineering
Date
Feb 20, 2024
Type
Pages
11
Uploaded by HighnessGoose62
ECE 484: Principles of safe autonomy
SPRING 2024
Written by: ECE484 team
HW1, MP1: Lane detection
Due Date: 2/23 2024
1
Introduction
In this assignment, you will apply computer vision techniques for lane detection. In first part, you will
answer 4 written questions related to concepts in computer vision. Then, you will implement a camera-
based lane detection module. The module will take a video stream in a format that is used in autonomous
systems as input, and it will produce annotated video with the lane area marked. We will split the video
into frames, and process it as an image in ROS (Robot Operating System). You will finish the functions
shown in Figure
5
, one by one, to create the lane detection module.
For part 1, you will need to solve 4 written problems. For part 2, all your code should be in the file
studentVision.py
and
line_fit.py
, and you will have to write a brief report
mp1_<groupname>.pdf
. You will have to use functions from the Robot Operating System (ROS) [
2
] and you are encouraged to use
the OpenCV library [
1
]. This document gives you the first steps to get started on implementing the lane
detection module. You will have to take advantage of tutorials and documentations available online. Cite
all resources in your report.
All the regulations for academic integrity and plagiarism spelled out in the
student code
apply.
Learning objectives
• Edge detection using gradients
• Working with rosbags, Gazebo and Rviz
• Basic computer vision
• Working with OpenCV libraries
System requirements
• Ubuntu 20.04
• ROS Noetic
2
Homework Problems
*Note that for proofs, we expect you to write the proof yourself, and not simply copy the answer off of the internet/peers. Proving
these on your own is good practice for quizzes/midterm. An aside, typically its quite easy to determine when students copy proofs
verbatim. We are happy to help in office hours, homework party, or Campuswire.
Problem 1 Convolution [Individual] (15 points)
Do it yourself. Prove that the impulse is the identity of
convolution. That is, given a function (or array)
f
, show that
f
∗
δ
=
f
. You may consider the functions to
be one dimensional. Please show all steps and justify where necessary.
1
Figure 1: Median filter function
source K. Grauman
Problem 2 Convolution [Individual] (20 points)
You’ve seen that many properties hold for convolution,
including commutativity, associativity, and time shifts, but there are even more. Prove the differentiation
property of convolution. That is, given functions
f
and
g
, show that
d
dx
(
f
∗
g
) =
df
dx
∗
g
. Again, you may
consider the functions to be one dimensional. Please show all steps and justify where necessary. Explain
the signifinace of this property in two sentences as it pertains to filtering.
Problem 3 Gaussians [Individual] (15+0.25 points)
Compute the partial derivative with respect to y of
the two dimensional Gaussian
G
σ
(
x, y
)
. Bonus: Can you do any refactorization tricks that would reduce
the apparent computation complexity of this expression?
Problem 4 Median filter [Individual] (20 points)
In lecture, you learned about filters alongside convo-
lution. There are many types of filters, including Gaussian, Sobel (which you will utilize in this MP) and
median filters. Recall that an LSI filter (where the properties of linearity and shift invariance hold) can be
represented as a convolution. Of primary discussion during lecture were linear filters. As you may ex-
pect, non-linear filters also exist. An example application of a median filter to a small image is provided as
reference in Fig.
1
.
Is the median filter linear or non-linear? Please explain why. Provide a 2D example (not from notes,
slides, course reader).
Note this example should formally demonstrate whether or not linearity holds.
You do not need write a proof, but it must nonetheless be rooted in mathematics (e.g., following from the
definition of linearity).
Problem 5 Filtering in OpenCV [Individual] (30 points)
In class, we motivated the usefulness for apply-
ing filters to images, EEG data, etc. by claiming they can help remove various types of noise embedded
within the image. There are many types of noise, including Gaussian noise, Poisson noise, Speckle noise,
Salt and Pepper Noise, and so on. Under
mp1/src
folder, you will find a script named
filter_main.py
. Implement the
filter_gaussian
and
filter_median
filter functions and test their
performances on salt-and-pepper noise and Gaussian (White) noise. Which filter is better for filtering out
salt-and-pepper noise? Which filter is better for filtering out Gaussian (White) noise? Attach your result
images in the report and explain why you think the specific filters work better for certain noises? (You will
need to do
source devel/setup.bash
at this step. Refer to later sections for more detail)
2
(a)
(b)
Figure 2: (a) Salt and Pepper Noise (b) Gaussian (White) Noise
3
Implementation
3.1
Problem Statement
For the implementation, you are going to implement a lane detection algorithm that will be applied to 2
scenarios. In scenario 1, you are given a video recorded on a real car moving on a high way.
Figure 3: Video recorded on a real car, resolution
1242
×
375
In scenario 2, you will work with a GEM car model equipped with camera in Gazebo. The GEM car will
be moving along a track.
Figure 4: GEM car and its camera view in Gazebo
For both scenarios, your task is to use your algorithm to detect the lanes in the video or camera output.
Please note that several parameters (e.g. color channels, threshold of Sobel filter, points for perspective
transform) in the 2 scenarios are different, and you will need to figure them out separately.
3
Your preview ends here
Eager to read complete document? Join bartleby learn and gain access to the full version
- Access to all documents
- Unlimited textbook solutions
- 24/7 expert homework help
3.2
Module Architecture
The building-block functions of a typical lane detection pipeline are shown in Figure
5
and also listed below.
However, in this MP you only need to implement some of the functions. The functions marked by * are not
required
for you to implement, but you can experiment with them. Lane detection is a hard problem with
lots of ongoing research. This could be a component to explore more deeply in your project.
Figure 5: Lane detection module overview.
Camera calibration*
Since all camera lenses will introduce some level of distortions in images, camera
calibration is needed before we start processing the image.
Perspective transform
Convert the image into
Bird’s Eye View
.
Color threshold
Threshold on color channels to find lane pixels. A typical way to do this is to covert the
image from RGB space to HLS space and threshold the S channel. There are also other ways to do this part.
Gradient threshold
Run an edge detection on the image by applying a
Sobel filter
.
Combined binary image
Combine the gradient threshold and color threshold image to get lane image.
We suggest applying a
Region of Interest
mask to get rid of irrelevant background pixels and apply morphol-
ogy function to remove noise.
Lane fitting
Extract the coordinates of the centers of right and left lane from binary
Bird’s Eye View
image.
Fit the coordinates into two second order polynomials that represent right and left lane.
4
Development Instructions
All the
python
script you will need to modify are
studentVision.py
and
line_fit.py
which are
located in the following path:
cd
[ path−to −MP1−workspace ]/ src/mp1/src
4
4.1
Gradient threshold
In this section, we will implement a function which uses gradient threshold to detect interesting features
(e.g. lanes) in the image. The input image comes from callback function. The output shall be a binary image
that highlights the edges.
def
gradient
_
threshold
(
self
,
img
,
thresh
_
min
=
25,
thresh
_
max
=
100
)
:
"""
Apply sobel edge detection on input image in x, y direction
"""
return
binary
_
output
First we need to convert the colored image into grey scale image. For a gray scale image, each pixel is
represented by a uint8 number (0 to 255). The image gradient could emphasize the edges easily and hence
segregate the objects in the image from the background.
Figure 6: Image gradient.
Left:
Original image.
Right:
Gradient image.
Then we need to get the gradient on both x axis and y axis. Recall that we can use the Sobel operator to
approximate the first order derivative. The gradient is the result of a 2 dimensional convolution between
Sobel operators and original image. For this part, you will find
Sobel
function in OpenCV useful.
∇
(
f
) = [
∂f
∂x
,
∂f
∂y
]
(1)
S
x
=
1
0
−
1
2
0
−
2
1
0
−
1
, S
y
=
1
2
1
0
0
0
−
1
−
2
−
1
(2)
G
x
=
S
x
∗
I, G
y
=
S
y
∗
I
(3)
Finally we need to convert each pixel into unit8, then apply the threshold to get binary image. If a pixel
has value between minimum and maximum threshold, we set the value of that pixel to be 1. Otherwise
set it to 0. The resulting binary image will be combined with the result from color threshold function and
passed to perspective transform.
4.2
Color threshold
In this section, we will implement a function which uses color threshold to detect interesting features (e.g.
lanes) in the image. The input image comes from callback function. The output shall be a binary image that
highlights the white and yellow color.
5
def
color
_
threshold
(
self
,
img
,
thresh
= (
100, 255
))
:
"""
Convert RGB to HSL and threshold to binary image using S channel
"""
return
binary
_
output
Besides gradient method, we can also utilize the information that lane markings in United States are
normally white or yellow. You can just filter out pixels other than white and yellow and what’s left are likely
to be on the lanes. You may use different color space (RGB, LAB, HSV, HSL, YUV...), different channels and
compare the effect. Some people prefer the RGB and HSL in the lane detection. Feel free to explore other
color spaces.
You need to first convert the input image from callback function into the desired color space. Then apply
threshold on certain channels to filter out pixels. In the final binary image, those pixels shall be set to 1 and
the rest pixels shall be set to 0.
Figure 7: Color threshold.
Left:
Original image.
Right:
Color threshold image.
4.3
Perspective transform
In this section, we will implement a function which converts the image to
Bird’s eye view
(looking down from
the top). This will give a geometric representation of the lanes on the 2D plane and the relative position
and heading of the vehicle between those lanes. This view is much more useful for controlling the vehicle,
than the first-person view. In the
Bird’s eye view
, the distance of pixels on the image will be proportional to
the actual distance, thus simplifies calculations in control modules in the future labs.
The input comes from combined binary image from color and gradient threshold. The output is the
image converted to
Bird’s eye view
.
M and Minv are transformation matrix and inverse transformation
matrix. You don’t need to worry about them.
def
perspective
_
transform
(
self
,
img
,
verbose
=
False
)
:
"""
Get bird
′
s eye view from input image
"""
return
warped
_
img
,
M
,
Minv
6
Your preview ends here
Eager to read complete document? Join bartleby learn and gain access to the full version
- Access to all documents
- Unlimited textbook solutions
- 24/7 expert homework help
During the perspective transform we wish to preserves collinearity (i.e., all points lying on a line initially
still lie on a line after transformation). The perspective transformation requires a 3-by-3 transformation
matrix.
Figure 8: Perspective transformation.
Left:
Original image.
Right:
Bird’s eye view image.
Here
(
x, y
)
and
(
u, v
)
are the coordinates of the same point in the coordinate systems of the original
perspective and new perspective.
tu
tv
t
=
a
b
c
d
e
f
g
h
1
x
y
1
(4)
To find the matrix, we need to find the location of 4 points on the original image and map the same 4
points on the
Bird’s Eye View
. Any 3 of those 4 points should not be on the same line. Put those 2 groups
of points into cv2.getPerspectiveTransform(), the output will be the transformation matrix. Pass the matrix
into cv2.warpPerspective() and we will have the warped
Bird’s Eye View
image.
4.4
Lane fitting
From the previous step, we get binary
bird’s eye view
images that separates the possible lane pixels and
background. We cut the image horizontally into several layers, and try to find the lane center on each of the
layers. The histogram method is used in this step. We calculate the histogram of pixels in left half and right
half of that horizontal layer. The place where possible pixels are most dense will be treated as centroid of
each lane. Finally fit the coordinates of those center of lanes to second order polynomial using np.polyfit()
function. Enhancement can be done by taking the average of N most recent frame polynomial coefficients.
If the lane fit fails, meaning the polynomials are unable to be solved, the program will print error message:
unable to detect lanes
.
5
Testing Lane Detection
5.1
Video using rosbag
Messages with images, sensor data, etc., in ROS [
2
] can be recorded in a
rosbag file
. This is convenient as
the rosbags can be later replayed for testing and debugging the software modules we will create. Within a
rosbag, the data from different sources is organized by different
rostopics
.
Before we do anything on
rosbag
, we need to start the ROS master node:
roscore
7
For this MP, our input images are published by the rostopic
camera/image_raw
. We can play it back using
the commands
rosbag info
and
rosbag play
.
We have stored 4
rosbag
across two locations, the bags directory within the repo (
0011_sync.bag
,
0056_sync.bag
, and
0484_sync.bag
) and a larger
rosbag
for you
to download from the following
Box link
here
. Access this one using your Illinois credentials, and download it into the folder with the
other 3
rosbag
. You can navigate to the directory by:
cd
[
path
−
to
−
MP1
−
workspace
]
/
src
/
mp1
/
bags
First, execute the following command from the bag files directory to see the type of contents in the
rosbag
.
rosbag info
<
your bagfile
>
You should see something like:
path
:
0011_
sync
.
bag
version
:
2.0
duration
:
7.3
s
start
:
Dec
31 1969 18:00:00.00
(
0.00
)
end
:
Dec
31 1969 18:00:07.30
(
7.30
)
size
:
98.6
MB
messages
:
74
compression
:
none
[
74/74
chunks
]
types
:
sensor
_
msgs
/
Image
[
060021388200
f6f0f447d0fcd9c64743
]
topics
:
camera
/
image
_
raw
74
msgs
:
sensor
_
msgs
/
Image
This tells us topic names and types as well as the number (count) of each message topic contained in the
bag file.
The next step is to replay the bag file. In a terminal window run the following command in the directory
where the original bag files are stored:
rosbag play
−
l
<
your bagfile
>
When playing the
rosbag
, the video will be converted into individual images that are sent out at a
certian frequency. We have provided a callback function. Every time a new image is published, the callback
function will be triggered, convert the image from ROS message format to OpenCV format and pass the
image into our pipeline.
5.2
GEM Model in Gazebo
For this MP, we also provide a simulation environment in Gazebo where a GEM car equipped with a camera
is moving along a race track.
Compile and source the package
8
python3
−
m pip install scikit
−
image
source
/
opt
/
ros
/
noetic
/
setup
.
bash
# Optionally you can add this line to your bashrc for your own convenience.
catkin
_
make
source devel
/
setup
.
bash
To launch Gazebo, you need to execute the following command:
roslaunch mp1 mp1
.
launch
To drive the vehicle along the track, execute python script:
python3 main
.
py
To reset the vehicle to original position, execute python script:
python3 reset
.
py
5.3
Test results
When code is finished, just run:
python3 studentVision
.
py
Rviz is a tool that helps us visualize the ROS messages of both the input and output of our module. It is
included by default when you install ROS. To start it just run:
rviz
You can find a "add" button on lower left corner. Click add -> By Topic. From the list of topics, choose
"/lane detection -> /annotated image -> /Image" (in Figure
9
).
A small window should pop out that
display the right and left line have been overlaid on the original video. Repeat the procedure to display
"/lane detection -> /Birdseye -> /Image". The result should be like in Figure
10
.
6
Report
Each group should upload a short report with following questions answered.
Problem 5 [Group] (15 points)
What are some interesting design choices you considered and executed in
creating different functions in your lane detection module? E.g. which color spaces did you use? how did
you determine the source points and destination points for perspective transform? Please provide at least
two, and be descriptive. A design choice simply stating "we wrote a script to choose parameters" will not
suffice –
how
the script chooses parameters is more relevant.
9
Your preview ends here
Eager to read complete document? Join bartleby learn and gain access to the full version
- Access to all documents
- Unlimited textbook solutions
- 24/7 expert homework help
Figure 9: Choose Topics
Figure 10: Result in Rviz; left for rosbag scenario, right for GEM car scenario
Problem 6 [Group] (25 points)
In order to detect the lanes in both scenarios, you will need to modify some
parameters. Please list and compare
all
parameters you have modified and explain why altering them is
helpful?
Problem 7 [Group] (30 points)
Record 3 short videos of Rviz window and Gazebo to show that your code
works for several scenarios. You can either use screen recording software or smart phone to record. Please
ensure that your links to videos are functional before submission.
Problem 8 [Group] (20 points)
One of the provided rosbags
(0484_sync.bag)
is recorded in snowfall
condition. Your lane detector might encounter difficulties when trying to fit the lane in this specific case.
If your lane detector works, please report what techniques you used to accomplish that. If not, try to find
the possible reasons and explain them. (Note that you will not necessarily be evaluated by whether your
model fits the lane in this case; instead we will evaluate based on the reasoning you provide.)
Demo (10 points)
You will need to demo your solution on both scenarios to the TAs during the lab demo.
There may be an autograding component, using an error metric calculation between your solution and a
golden solution.
10
7
Submission instructions
Problems 1-4 must be done individually (Homework 1). Write solutions to each problem in a file named
hw1_<netid>.pdf
and upload the document in Canvas. Include your name and netid in the pdf. You may
discuss solutions with others, but do not use written notes from those discussions to write your answers. If
you use/read any material outside of those provided for this class to help grapple with the problem, you
should cite them explicitly.
Problems 5-8 can be done in groups of 2-4.
Students need to take 2-3 short videos clearly showing
that their code works on both scenarios (
rosbag
videos and simulator environment) and answer other
questions. Note that, for the simulation environment, your video must show that your implementation can
detect lanes when car is
moving
. The videos can be uploaded to a website (YouTube, Vimeo, or Google
Drive with public access) and you need to include the link in the report. One member of each team will
upload the report
mp1_<groupname>.pdf
to Canvas. Please include the names and netids of all the group
members and cite any external resources you may have used in your solutions. Also, please upload your
code to some cloud storage like Google Drive, DropBox, or Box; create a sharable link and include it in your
report. Please only upload the
src
folder in a .zip file that contains code excluding
rosbags
.
References
[1] G. Bradski. The OpenCV Library.
Dr. Dobb’s Journal of Software Tools
, 2000.
[2] Stanford Artificial Intelligence Laboratory et al. Robotic operating system.
11
Related Documents
Related Questions
Q14) An assembly line has 3 fail safe sensors and one emergency shutdown switch.
The line should keep moving unless any of the following conditions arise:
(i) If the emergency switch is pressed
(ii) If the senorl and sensor2 are activated at the same time.
(iii) If sensor 2 and sensor3 are activated at the same time.
(iv) If all the sensors are activated at the same time
Suppose a combinational circuit for above case is to be implemented only with
NAND Gates. How many minimum number of 2 input NAND gates are required?
arrow_forward
question: Suppose that you want to sort blocks of different heights automatically. How can this task be done with IR Sensors
arrow_forward
I have an O Gauge track and would like to convert it into a “sensored” track. Additionally, I would like to connect that track to an ESP-WROOM-32 board that should flash an LED whenever the track detects a non-moving train. Please list all the components (and how many of each) needed. Also, what’s the procedure for connecting the components?
arrow_forward
Note: Give me right solution according to the question. Don't copy from other websites solution,if I noticed copied solution I will give dislike.... Thank you
A mechanical press has a stopping time for its press-brake mechanism of 0.34 sec and a stopping time for the control circuit of 0.04 sec. The brake monitor is set for 0.48 sec, and the minimum object sensitivity is 0.76 in. Calculate the minimum safe distance that the light curtain can be installed from the press.
arrow_forward
Subject: Digital Logic Design
An aircraft’s functional monitoring system.
A circuit is required to indicate the status of the landing gears prior to Take off. The plane has three landing gear: right, left and center. After the takeoff, the pilot will activate ‘gear up’ switch to retract the landing gear. Assume that has been done. A green LED will turn on in the cockpit only if all three landing (03) gear are properly retracted. A red LED will turn on if any of the three (03) landing gear fail to retract properly after takeoff. When landing gear is properly retracted, a corresponding sensor will provide High voltage to a logic circuit. When a landing gear has failed to retract properly, the sensor provides a Low voltage signal to the logic circuit. Design and implement the circuit of the system with the help of logic gate.
arrow_forward
we are interested in an automatic garage gate system for a building. This system includes a gate that goes up or down, a motor to actuate the gate (pull, push) and sensors to collect information (gate open contact, gate closed contact). The sensors are all similar, each signaling to its controller that a contact has taken place. The user has a remote control to control with just two buttons: open, close.
The operating principle of the system is as follows. Suppose the gate is closed. The user opens the gate by pressing the Open button on his remote control. He can stop opening by pressing the Open button again, the motor stops. Otherwise, the gate opens completely and triggers a Gate Open sensor which causes the motor to stop. Pressing the Close button causes the gate to close if it is open (partially or fully).
The closing can be stopped by pressing the Close button again, the motor stops. Otherwise, the gate closes completely and triggers a Gate Closed sensor which causes the engine…
arrow_forward
Question 4
arrow_forward
The system having ±0.5% of F.S.D if the full scale deflection is 50 units, then accuracy is _____
a. ±0.25
b. ±1
c. ±0
d. ±0.5
arrow_forward
Follow the instructions. Kindly provide a COMPLETE and CLEAR solution. Answer it ASAP because I really need it right now. Answer should be typewritten.
Provide the following:Step 1. Solve for kStep 2. Solve for Tk (forward path gain)Step 3. Identify the loop gains (TL)Step 4. Identify the nontouching loops taken two at a time TNL(2 time)Step 5. Identify the nontouching loops taken three at a time TNL(3 time)Step 6. Identify the nontouching loops taken four at a time TNL(4 time)Step 7. Solve for component ∆Step 8. Solve for component ∆k (Note: We form ∆k by eliminating from ∆ the loop gains that touch the kth forward path)Step 9. Substitute on the equation for transfer function
arrow_forward
(c) Draw a circuit diagram to represent a TN-C-S earthing system and briefly explain its advantages and disadvantages.
(d) Briefly explain how to estimate the height of air termination of a lightning protection system network using the rolling sphere method and protection angle method.
(e) Briefly explain what is meant by Ground Potential Rise (GPR) and explain why an animal like cow would not be adequately protected against GPR.
Note : answer all or else dnt attempt the question
arrow_forward
"Please, the answer must be documented from a
book, experience, or accurate information without
using artificial intelligence."
Write an Arduino program to read the status of two push
buttons connected to pins 2&3 respectively and flash ON two
LED's connected to pins 12&13 respectively according to the
following scenario: If pin 2 is HIGH let LED 12 flash with
delay of 400ms, and if pin 3 HIGH, let LED 13 flash ON with
delay of 300ms.
arrow_forward
hi, please help me with all parts of this question :)
thank you!
arrow_forward
SEE MORE QUESTIONS
Recommended textbooks for you
data:image/s3,"s3://crabby-images/d9a52/d9a52aab030ad3641ba0fefa3187d1f19ed71ab1" alt="Text book image"
Introductory Circuit Analysis (13th Edition)
Electrical Engineering
ISBN:9780133923605
Author:Robert L. Boylestad
Publisher:PEARSON
data:image/s3,"s3://crabby-images/aa23b/aa23b915856c09ebc75d48cc8f33abe144abbf32" alt="Text book image"
Delmar's Standard Textbook Of Electricity
Electrical Engineering
ISBN:9781337900348
Author:Stephen L. Herman
Publisher:Cengage Learning
data:image/s3,"s3://crabby-images/307b2/307b272f255471d7f7dc31378bac8a580ae1c49c" alt="Text book image"
Programmable Logic Controllers
Electrical Engineering
ISBN:9780073373843
Author:Frank D. Petruzella
Publisher:McGraw-Hill Education
data:image/s3,"s3://crabby-images/f4418/f441843e2e5e6ab04a3b8010b22b98535038054c" alt="Text book image"
Fundamentals of Electric Circuits
Electrical Engineering
ISBN:9780078028229
Author:Charles K Alexander, Matthew Sadiku
Publisher:McGraw-Hill Education
data:image/s3,"s3://crabby-images/1d982/1d982e1730e1c60b4973fb3b2d52ac02ea8df466" alt="Text book image"
Electric Circuits. (11th Edition)
Electrical Engineering
ISBN:9780134746968
Author:James W. Nilsson, Susan Riedel
Publisher:PEARSON
data:image/s3,"s3://crabby-images/d504e/d504e66987de4a3451a70c4f1d95626b48f99b01" alt="Text book image"
Engineering Electromagnetics
Electrical Engineering
ISBN:9780078028151
Author:Hayt, William H. (william Hart), Jr, BUCK, John A.
Publisher:Mcgraw-hill Education,
Related Questions
- Q14) An assembly line has 3 fail safe sensors and one emergency shutdown switch. The line should keep moving unless any of the following conditions arise: (i) If the emergency switch is pressed (ii) If the senorl and sensor2 are activated at the same time. (iii) If sensor 2 and sensor3 are activated at the same time. (iv) If all the sensors are activated at the same time Suppose a combinational circuit for above case is to be implemented only with NAND Gates. How many minimum number of 2 input NAND gates are required?arrow_forwardquestion: Suppose that you want to sort blocks of different heights automatically. How can this task be done with IR Sensorsarrow_forwardI have an O Gauge track and would like to convert it into a “sensored” track. Additionally, I would like to connect that track to an ESP-WROOM-32 board that should flash an LED whenever the track detects a non-moving train. Please list all the components (and how many of each) needed. Also, what’s the procedure for connecting the components?arrow_forward
- Note: Give me right solution according to the question. Don't copy from other websites solution,if I noticed copied solution I will give dislike.... Thank you A mechanical press has a stopping time for its press-brake mechanism of 0.34 sec and a stopping time for the control circuit of 0.04 sec. The brake monitor is set for 0.48 sec, and the minimum object sensitivity is 0.76 in. Calculate the minimum safe distance that the light curtain can be installed from the press.arrow_forwardSubject: Digital Logic Design An aircraft’s functional monitoring system. A circuit is required to indicate the status of the landing gears prior to Take off. The plane has three landing gear: right, left and center. After the takeoff, the pilot will activate ‘gear up’ switch to retract the landing gear. Assume that has been done. A green LED will turn on in the cockpit only if all three landing (03) gear are properly retracted. A red LED will turn on if any of the three (03) landing gear fail to retract properly after takeoff. When landing gear is properly retracted, a corresponding sensor will provide High voltage to a logic circuit. When a landing gear has failed to retract properly, the sensor provides a Low voltage signal to the logic circuit. Design and implement the circuit of the system with the help of logic gate.arrow_forwardwe are interested in an automatic garage gate system for a building. This system includes a gate that goes up or down, a motor to actuate the gate (pull, push) and sensors to collect information (gate open contact, gate closed contact). The sensors are all similar, each signaling to its controller that a contact has taken place. The user has a remote control to control with just two buttons: open, close. The operating principle of the system is as follows. Suppose the gate is closed. The user opens the gate by pressing the Open button on his remote control. He can stop opening by pressing the Open button again, the motor stops. Otherwise, the gate opens completely and triggers a Gate Open sensor which causes the motor to stop. Pressing the Close button causes the gate to close if it is open (partially or fully). The closing can be stopped by pressing the Close button again, the motor stops. Otherwise, the gate closes completely and triggers a Gate Closed sensor which causes the engine…arrow_forward
- Question 4arrow_forwardThe system having ±0.5% of F.S.D if the full scale deflection is 50 units, then accuracy is _____ a. ±0.25 b. ±1 c. ±0 d. ±0.5arrow_forwardFollow the instructions. Kindly provide a COMPLETE and CLEAR solution. Answer it ASAP because I really need it right now. Answer should be typewritten. Provide the following:Step 1. Solve for kStep 2. Solve for Tk (forward path gain)Step 3. Identify the loop gains (TL)Step 4. Identify the nontouching loops taken two at a time TNL(2 time)Step 5. Identify the nontouching loops taken three at a time TNL(3 time)Step 6. Identify the nontouching loops taken four at a time TNL(4 time)Step 7. Solve for component ∆Step 8. Solve for component ∆k (Note: We form ∆k by eliminating from ∆ the loop gains that touch the kth forward path)Step 9. Substitute on the equation for transfer functionarrow_forward
- (c) Draw a circuit diagram to represent a TN-C-S earthing system and briefly explain its advantages and disadvantages. (d) Briefly explain how to estimate the height of air termination of a lightning protection system network using the rolling sphere method and protection angle method. (e) Briefly explain what is meant by Ground Potential Rise (GPR) and explain why an animal like cow would not be adequately protected against GPR. Note : answer all or else dnt attempt the questionarrow_forward"Please, the answer must be documented from a book, experience, or accurate information without using artificial intelligence." Write an Arduino program to read the status of two push buttons connected to pins 2&3 respectively and flash ON two LED's connected to pins 12&13 respectively according to the following scenario: If pin 2 is HIGH let LED 12 flash with delay of 400ms, and if pin 3 HIGH, let LED 13 flash ON with delay of 300ms.arrow_forwardhi, please help me with all parts of this question :) thank you!arrow_forward
arrow_back_ios
arrow_forward_ios
Recommended textbooks for you
- Introductory Circuit Analysis (13th Edition)Electrical EngineeringISBN:9780133923605Author:Robert L. BoylestadPublisher:PEARSONDelmar's Standard Textbook Of ElectricityElectrical EngineeringISBN:9781337900348Author:Stephen L. HermanPublisher:Cengage LearningProgrammable Logic ControllersElectrical EngineeringISBN:9780073373843Author:Frank D. PetruzellaPublisher:McGraw-Hill Education
- Fundamentals of Electric CircuitsElectrical EngineeringISBN:9780078028229Author:Charles K Alexander, Matthew SadikuPublisher:McGraw-Hill EducationElectric Circuits. (11th Edition)Electrical EngineeringISBN:9780134746968Author:James W. Nilsson, Susan RiedelPublisher:PEARSONEngineering ElectromagneticsElectrical EngineeringISBN:9780078028151Author:Hayt, William H. (william Hart), Jr, BUCK, John A.Publisher:Mcgraw-hill Education,
data:image/s3,"s3://crabby-images/d9a52/d9a52aab030ad3641ba0fefa3187d1f19ed71ab1" alt="Text book image"
Introductory Circuit Analysis (13th Edition)
Electrical Engineering
ISBN:9780133923605
Author:Robert L. Boylestad
Publisher:PEARSON
data:image/s3,"s3://crabby-images/aa23b/aa23b915856c09ebc75d48cc8f33abe144abbf32" alt="Text book image"
Delmar's Standard Textbook Of Electricity
Electrical Engineering
ISBN:9781337900348
Author:Stephen L. Herman
Publisher:Cengage Learning
data:image/s3,"s3://crabby-images/307b2/307b272f255471d7f7dc31378bac8a580ae1c49c" alt="Text book image"
Programmable Logic Controllers
Electrical Engineering
ISBN:9780073373843
Author:Frank D. Petruzella
Publisher:McGraw-Hill Education
data:image/s3,"s3://crabby-images/f4418/f441843e2e5e6ab04a3b8010b22b98535038054c" alt="Text book image"
Fundamentals of Electric Circuits
Electrical Engineering
ISBN:9780078028229
Author:Charles K Alexander, Matthew Sadiku
Publisher:McGraw-Hill Education
data:image/s3,"s3://crabby-images/1d982/1d982e1730e1c60b4973fb3b2d52ac02ea8df466" alt="Text book image"
Electric Circuits. (11th Edition)
Electrical Engineering
ISBN:9780134746968
Author:James W. Nilsson, Susan Riedel
Publisher:PEARSON
data:image/s3,"s3://crabby-images/d504e/d504e66987de4a3451a70c4f1d95626b48f99b01" alt="Text book image"
Engineering Electromagnetics
Electrical Engineering
ISBN:9780078028151
Author:Hayt, William H. (william Hart), Jr, BUCK, John A.
Publisher:Mcgraw-hill Education,