Description
4000094-310 Invensys Triconex system
4000094-310 Invensys Triconex system
Module Clips Drive controller servo motor
Contact: Mr. Lai
Wechat:17750010683
Whats app:+86 17750010683
Skype:+86 17750010683
QQ: 3221366881
3221366881@qq.com
Modify the watchdog time of the PROFINET IO device under 16 STEP7
3.2 Check if the installation of PROFINET IO communication equipment meets the specifications
Most cases of PROFINET IO communication interference problems are caused by equipment installation that does not comply with the installation specifications for PROFINET IO communication, such as incomplete shielding, unreliable grounding, and being too close to interference sources. Installation that meets the specifications can avoid communication failures caused by electromagnetic interference. You can refer to the following brief installation requirements for PROFINET:
1. Wiring of PROFINET 4000094-310 Invensys Triconex system
In order to reduce the coupling of electric and magnetic fields, the larger the parallel distance between PROFINET and other power cable interference sources, the better. In accordance with IEC 61918, the minimum distance between PROFINET shielded cables and other cables can be referred to Table 1. PROFINET 4000094-310 Invensys Triconex system can be wired together with other data cables, network cables, and shielded analog cables. If it is an unshielded power cable, the minimum distance is 200mm.
Comprehensive analysis of the principle and application skills of microcontroller IO port
IO port operation is the most basic and important knowledge in microcontroller practice. This article takes a long time to introduce the principles of IO ports. I also consulted a lot of materials to ensure the accuracy of the content, and spent a long time writing it. The principle of IO ports originally required a lot of in-depth knowledge, but here it has been simplified as much as possible for easy understanding. This will be of great help in solving various IO port related problems in the future.
The IO port equivalent model is my original method, which can effectively reduce the difficulty of understanding the internal structure of the IO port. And after consulting and confirming, this model is basically consistent with the actual working principle.
I mentioned a lot earlier, and many people may already be eager to actually operate microcontrollers. The IO port, as the main means of communication between the microcontroller and the outside world, is the most basic and important knowledge for microcontroller learning. Previously, we programmed and implemented an experiment to light up the LED at the IO port. This article will continue to introduce the relevant knowledge of the IO port.
In order to better learn the operation of IO ports, it is necessary to understand the internal structure and related concepts of IO ports. These knowledge are very helpful for subsequent learning, with a focus on understanding and no need to memorize them intentionally. If you don”t remember, just come back and take a look. If you use it too much, you will naturally remember.
We have said that the most accurate and effective way to understand a chip is to refer to official chip manuals and other materials. But for beginners of microcontrollers, it may be difficult to understand the chip manual directly, especially when they see a bunch of English, unfamiliar circuits, and terminology. If it were me, I would definitely be crazy. But here I still provide a picture taken from Atmel”s official “Atmel 8051 Microcontrollers Hardware Manual”.
The purpose of giving this picture is not to dampen everyone”s enthusiasm for learning, but to help everyone understand how the various microcontroller materials we have seen come from and whether they are accurate. All of these can be clarified through official information, which will be helpful for everyone to further learn something in the future.
Introduction to the Second Function
The above figure is the authoritative 51 microcontroller IO port structure diagram provided by the official. It can be seen that the internal structure of the four sets of IO ports of the microcontroller is different, because some IO ports have a secondary function, as mentioned in the introductory section.
Do you remember this pin diagram? The second function name of the IO port is marked in parentheses. Except for P1, each interface has a second function. When introducing the microcontroller system module, I mentioned that the 51 microcontroller has an interface for reserved extended memory, which is the second function of P0 and P1 in the figure (while also using pins such as 29 and 30). Because it is not widely used and involves in-depth knowledge, no specific research will be conducted. By the way, the AD0~AD7 we see here are actually used for parallel ports. The second function of the P3 port, including serial port, will be introduced in detail later.
The drawbacks of network IO and the advantages of multiplexing IO
In order to talk about multiplexing, of course, we still need to follow the trend and adopt a whiplash approach. First, we will talk about the drawbacks of traditional network IO and use the pull and step method to grasp the advantages of multiplexing IO.
For the convenience of understanding, all the following code is pseudo code, and it is sufficient to know the meaning it expresses.
Blocking IO
The server wrote the following code to handle the data of client connections and requests.
Listenfd=socket()// Open a network communication port
Bind (listenfd)// binding
Listen (listenfd)// Listening while (1){
Connfd=accept (listenfd)// Blocking connection establishment
Int n=read (connfd, buf)// Blocking read data
DoSomeThing (buf)// What to do with the data you read
Close (connfd)// Close the connection and wait for the next connection in a loop
}
This code will be executed with stumbling blocks, just like this.
It can be seen that the thread on the server is blocked in two places, one is the accept function and the other is the read function.
If we expand on the details of the read function again, we will find that it is blocked in two stages.
This is traditional blocking IO.
The overall process is shown in the following figure.
So, if the client of this connection continues to not send data, the server thread will continue to block on the read function and not return, nor will it be able to accept other client connections.
This is definitely not feasible.
Non blocking IO
To solve the above problem, the key is to modify the read function.
A clever approach is to create a new process or thread every time, call the read function, and perform business processing.
While (1){
Connfd=accept (listenfd)// Blocking connection establishment
Pthread_ Create (doWork)// Create a new thread
}
Void doWork(){
Int n=read (connfd, buf)// Blocking read data
DoSomeThing (buf)// What to do with the data you read
Close (connfd)// Close the connection and wait for the next connection in a loop
}
In this way, once a connection is established for a client, it can immediately wait for a new client connection without blocking the read request from the original client.
However, this is not called non blocking IO, it just uses multithreading to prevent the main thread from getting stuck in the read function and not going down. The read function provided by the operating system is still blocked.
So true non blocking IO cannot be achieved through our user layer tricks, but rather by imploring the operating system to provide us with a non blocking read function.
The effect of this read function is to immediately return an error value (-1) when no data arrives (reaches the network card and is copied to the kernel buffer), rather than waiting for blocking.
The operating system provides this feature by simply setting the file descriptor to non blocking before calling read.
Fcntl (connfd, F_SETFL, O_NONBLOCK);
Int n=read (connfd, buffer)= SUCCESS;
In this way, the user thread needs to loop through the call to read until the return value is not -1, and then start processing the business.
We noticed a detail here.
Non blocking read refers to the stage where data is non blocking before it reaches the network card, or before it reaches the network card but has not been copied to the kernel buffer.
When the data has reached the kernel buffer, calling the read function is still blocked and requires waiting for the data to be copied from the kernel buffer to the user buffer before returning.
The overall process is shown in the following figure
IO multiplexing
Creating a thread for each client can easily deplete the thread resources on the server side.
Of course, there is also a clever solution. After accepting each client connection, we can put the file descriptor (connfd) into an array.
Fdlist. add (connfd);
Then create a new thread to continuously traverse the array and call the non blocking read method for each element.
While (1){
For (fd “- fdlist){
If (read (fd)!=- 1){
DoSomeThing();
}
}
}
In this way, we successfully processed multiple client connections with one thread.
Do you think this means some multiplexing?
But this is just like using multithreading to transform blocked IO into seemingly non blocking IO. This traversal method is just a small trick that our users have come up with, and every time we encounter a read that returns -1, it is still a system call that wastes resources.
Making system calls in a while loop is not cost-effective, just like making rpc requests while working on distributed projects.
So, we still need to plead with the operating system boss to provide us with a function that has such an effect. We will pass a batch of file descriptors to the kernel through a system call, and the kernel layer will traverse them to truly solve this problem.
What are the types of integrated IO modules4000094-310 Invensys Triconex system
For a programmable logic controller, IO fulfills the responsibilities of data acquisition and instruction output. What control objectives can a PLC achieve, and the quantity and type of IO are crucial. For general integrated PLCs, the number and types of IO interfaces are constant. Some friends may ask, what if you encounter a complex control project with insufficient IO ports in the PLC? Don”t worry, nowadays PLCs have communication interfaces that can be connected to other IO couplers to achieve IO expansion. So, what are the types of IO modules that we can integrate in our daily lives? Actually, it can be mainly divided into four categories, namely:
1. Digital signal acquisition IO can achieve discontinuous signal acquisition, and a typical IO type is a counter input IO module.
Technology Oasis • Source: Guangcheng CAN Bus • Author: Guangcheng CAN Bus • 2022-05-09 09:52 • 1740 readings
For a programmable logic controller, IO fulfills the responsibilities of data acquisition and instruction output. What control objectives can a PLC achieve, and the quantity and type of IO are crucial. For general integrated PLCs, the number and types of IO interfaces are constant. Some friends may ask, what if you encounter a complex control project with insufficient IO ports in the PLC? Don”t worry, nowadays PLCs have communication interfaces that can be connected to other IO couplers to achieve IO expansion. So, what are the types of IO modules that we can integrate in our daily lives? Actually, it can be mainly divided into four categories, namely:
1. Digital signal acquisition IO can achieve discontinuous signal acquisition, and a typical IO type is a counter input IO module.
2. Digital output IO, which can send out command signals of digital quantities to control actuators, such as PWM IO, can send pulse signals to control servo motors and stepper motors. In addition to PWM IO, we often use relay output type IO.
3. After discussing digital IO, let”s talk about analog IO. Firstly, analog input IO includes voltage analog input IO, current analog input IO, temperature analog input IO, etc. They collect continuous signals.
4. Finally, there is the output type IO of analog quantity, mainly including voltage analog quantity output type IO and current analog quantity output type IO. Some friends may ask why there is no temperature this time, but there are relatively few applications, mainly based on voltage and current types.4000094-310 Invensys Triconex system
Industrial automation solutions, starting with remote IO modules!
The remote IO module is mainly used for collecting analog and digital signals on industrial sites, and can also output analog and digital signals to control equipment. It is possible to expand the input and output ports of data processing equipment such as PLCs and collection instruments. For example, a PLC only has 10 analog input interfaces, but if 30 analog quantities need to be collected on site, remote IO expansion needs to be added.
Furthermore, due to the distance between the equipment and the main control PLC or industrial computer, RS-485 bus is usually used for transmission. There are also some factories with high levels of automation that use industrial Ethernet to control remote IO modules. In the past, when laying lines between equipment and cabinets, people had to connect them one by one, which greatly increased the cost of cables and construction time. Moreover, if the distance was relatively long, they also faced problems such as voltage attenuation. And with the remote IO module, it effectively solves this problem. If your cabinet is 200 meters away from the site and you do not use remote IO, then you need to lay out each signal line for 200 meters. Installing the remote IO module on site can save you a lot of cable costs and reduce the complexity of construction from a cost perspective.
Simply put, sometimes some IO is set up in the on-site device cluster, which can be connected to the PLC through a communication cable to send the signal to any place where it is needed, saving wiring and PLC”s own IO points. Sometimes, the logical “remote” is because the allowed number of “local IO” cannot meet the actual needs, and it needs to be connected to the “remote IO template”, depending on the actual situation.
In addition, the general cabinet room is located on the device site. But some control signals, such as emergency stop and bypass, are implemented in the control room, so remote IO modules need to be used to send these signals to the control system in the cabinet room.
Why use remote I/O?
1. Because in some industrial applications, it is impossible to install PLCs with local I/O modules near on-site equipment due to harsh environments.
2. When you want to place the I/O module near the field device to eliminate long multi-core cables, you can receive signals from distant sensors and send remote control signals to control valves, motors, and other final actuators. The signal can be transmitted at any distance using various transmission protocols such as Ethernet and Profibus through high-speed media such as twisted pair and fiber optic.
3. Multiple transmission protocols such as Ethernet and Profibus can be used to send signals at any distance on high-speed media such as twisted pair and fiber optic.
The barium rhenium technology MXXT remote IO module uses industrial grade components with a wide working voltage of DC9-36V, which can operate normally within the range of -20~70 ℃. It supports RS485/232 communication mode, and the communication protocol adopts standard Modbus TCP protocol, Modbus RTU over TCP protocol, and MQTT protocol. We strive to fully meet the needs of our customers with an electrical and mechanical system that is anti-interference, resistant to harsh environments, and compatible with general use. It has stable performance, reliable quality, short delivery time, and fast response.
Advantages of Barium Rhenium Remote I/O Module
1. It can be controlled by remote commands.
2. Save the cost of using industrial control computers and IO cards, and Ethernet I/O modules can be directly connected to the upper computer system;
3. Replacing 4-20mA signal transmission with 10/100MHz Ethernet transmission has improved transmission speed;
4. Replacing various instrument controller signal lines with an Ethernet cable reduces the attenuation of remote signal transmission;
5. The signal cable of the instrument controller only needs to be connected to the Ethernet I/O module, greatly reducing cable costs and wiring workload.
6. Convenient installation method. Rail installation, high reliability, strong anti-interference ability, and more convenient on-site installation.
What is the function of an IO chip
Io generally refers to input and output devices, where I is the input and O is the output. The input to the IO port of the chip is the external signal transmission to the chip, while the output is the internal signal transmission to other devices. The input and output are relative. In short, in a broad sense, the control of input and output interfaces is called an IO chip, and network cards are also considered IO or array cards.
The CPU must read and write data to external registers or ROMs on RAM or other hardware through IO commands (such as input/output commands). For example, reading a keyboard involves accessing external registers on the keyboard through the 60H port, and the chip on the keyboard scans the keyboard. Pressing or holding down a key for a long time will cause the chip to generate corresponding scan or break codes, which will be written to the external register of the 60H port, so that the CPU can achieve the purpose of controlling the keyboard. Therefore, I think IO chips should refer to a large category. The CPU already has powerful IO instructions and corresponding control buses.
51 microcontroller IO port input and output mode_ Four usage methods for IO ports
The traditional 51 microcontroller IO interface can only be used as a standard bidirectional IO interface. If it is used to drive LED, it can only be driven by injecting current or using a transistor external expansion drive circuit.
Current injection method: LED positive pole connected to VCC, negative pole connected to IO port. If the IO is at a high level, the two poles of the LED are at the same level, and there is no current, the LED will turn off; IO is at low power level, current flows from VCC to IO, and LED lights up. But when you connect the positive pole of the LED to the IO interface and the negative pole to GND, placing the IO interface at a high level will cause the LED to light up. However, due to the insufficient pull-up capability of the IO interface, the brightness is not ideal. The following method can be used to solve this problem.
Push-pull working mode: The positive and negative poles of the LED are connected to two IO ports, and then the positive IO interface is set as the push-pull output, while the negative IO interface is set as the standard bidirectional current input. The push pull method has strong pull-up ability and can achieve high-level LED driving.
Four usage methods for IO ports4000094-310 Invensys Triconex system
From the perspective of the characteristics of the I/O port, the P0 port of Standard 51 is an open drain structure when used as an I/O port, and in practical applications, a pull-up resistor is usually added; P1, P2, and P3 are all quasi bidirectional I/Os with internal pull-up resistors, which can be used as both input and output. The I/O port characteristics of the LPC900 series microcontroller have certain differences, and they can be configured into four different working modes: quasi bidirectional I/O, push pull output, high resistance input, and open drain.
Compared with Standard 51, the quasi bidirectional I/O mode differs in internal structure but is similar in usage. For example, when used as an input, it must first write “1” to set it to high level before reading the level state of the pin.!!!!! Why is it like this? Please refer to the diagram below for analysis.
The characteristic of push-4000094-310 Invensys Triconex systempull output is that it can drive a large current regardless of whether it outputs high or low levels. For example, when outputting high levels, it can directly light up the LED (by connecting several hundred ohm current limiting resistors in series), which is difficult to achieve in quasi bidirectional I/O mode.
The characteristic of high impedance input mode is that it can only be used as an input, but it can obtain relatively high input impedance, which is necessary in analog comparator and ADC applications.
The open drain mode is similar to the quasi bidirectional mode, but there is no internal pull-up resistance. The advantage of open drain mode is good electrical compatibility. If the external pull-up resistor is connected to a 3V power supply, it can interface with a 3V logic device. If the pull-up resistor is connected to a 5V power supply, it can also interface with a 5V logic device. In addition, the open drain mode can also conveniently implement the “line and” logic function.
For the explanation of the above question, there is this information:
High resistance state is a common term in digital circuits, referring to an output state of a circuit that is neither high nor low. If the high resistance state is input into the next level circuit, it has no impact on the lower level circuit, just like not connected. If measured with a multimeter, it may be high or low, depending on what is connected afterwards.
High resistance states can be understood as open circuits during circuit analysis. You can think of it as having a very high output (input) resistance. His limit can be considered suspended.
Typical applications of high resistance states:
1. On the bus connected structure. There are multiple devices hanging on the bus, and the devices are connected to the bus in a high impedance form. This automatically releases the bus when the device does not occupy it, making it easier for other devices to gain access to the bus.
2. Most microcontroller I/O can be set to high impedance input when used, such as Lingyang, AVR, and so on. High resistance input can be considered as having infinite input resistance, indicating that I/O has minimal impact on the preceding stage and does not generate current (without attenuation), and to some extent, it also increases the chip”s resistance to voltage surges.
MQTT IoT Remote IO Module Based on Ethernet Communication Technology
MQTT IoT Remote IO Module Based on Ethernet Communication Technology
Barium rhenium technology remote IO modules are widely used in IoT scenarios such as intelligent transportation, smart water conservancy, smart agriculture, smart campuses, smart communities, smart power distribution, and smart water conservancy.
With the development of IIOT industrial Internet of Things technology, more and more traditional assets need to be connected to the internet, achieving unified data collection and analysis, and breaking the phenomenon of traditional device information silos. The barium rhenium technology remote IO module M160T, which supports IoT protocols, has become an excellent choice for many enterprises to achieve device networking, remote control, and data collection based on the compatibility of existing devices and the accessibility of IoT platforms!
Ethernet communication technology is a mature communication technology because it has the characteristics of stability, reliability, mature technology, fast transmission speed, and fast construction wiring. Due to its wide application, Ethernet communication through the MQTT protocol is the main way for enterprise equipment to go to the cloud. Barium rhenium technology can quickly collect data and control such as air compressor room, property living pump room, street light control, liquid level collection, temperature and humidity collection through Ethernet remote IO module.4000094-310 Invensys Triconex system
So, why is the remote IO module of barium rhenium technology widely used in the field of industrial IoT? The specific reasons are as follows.
1. Actively connect to cloud platforms:
Based on the characteristics of Ethernet communication networks, the barium rhenium technology remote IO module does not require complex settings such as peanut shells to achieve the Internet of Things. The barium rhenium technology remote IO module needs to support both TCP client and TCP server functions.
2. Compatibility with existing systems:
It supports TCP Server and Modbus TCP protocol functions, and is compatible with device access of traditional upper level systems or HMI TCP clients.
3. Support multiple IoT platforms:
Supports standard MQTT, Modbus TCP, and Modbus RTU over TCP protocols. It can be connected to public cloud IoT platforms and user built MQTT private clouds through the MQTT protocol. It can also be connected to SCADA and DCS systems through Modbus TCP.
4. Rich IO interfaces and scalability:
There are many types of IO for industrial field data collection and replication. The Ethernet IO module of barium rhenium technology supports signal acquisition from various devices such as 4-20Ma, 0-20mA, 0-5V, 0-10V, RS485, DI, DO, PT100, PT1000, pulse input, pulse output, etc. At the same time, it expands the instrument data reading ability of RS485 devices.
5. Convenient installation method:
The volume of industrial on-site control boxes is often very limited, and the barium rhenium technology Ethernet IO module adopts a direct plug-in connection terminal and rail installation method. The compact volume greatly saves space in the control box!
6. Industrial grade design
The industrial environment is harsh, and the remote IO module using barium rhenium technology needs to adopt an industrial grade design, which can work continuously and stably in harsh environments.
Through the use of barium rhenium technology remote IO modules, there is no need to replace existing various enterprise assets, and the digital transition to the Internet of Things platform can be quickly achieved. Therefore, barium rhenium technology remote IO modules are widely used in industrial IoT, such as intelligent real estate, intelligent campus, intelligent factory, intelligent transportation, intelligent water conservancy, intelligent agriculture, intelligent campus, intelligent community, intelligent transportation, and many other industries.
What is the role of distributed IO modules and what are their main applications in
The distributed IO module transmits status signals from the measurement and control field to various measurement and control fields for control. It is mainly used in the industrial field and can also be used for detection of equipment such as air conditioners and motors.
In distributed systems, there are important business data closely related to system operation, as well as data related to nodes, application services, and data services, which are crucial for the normal operation of clusters.
IO on general PLCs is usually closely followed by CPU units, but in order to facilitate connection and maintenance, the concept of distributed IO has been proposed in the industrial field. That is to say, the IO unit can be arranged far away from the PLC CPU unit and communicate through the network communication protocol of the device layer.
The distributed IO module is developed for detecting and implementing remote control of various types of standard analog and switch signals (frequency, pulse, or switch state signals) in the field of measurement and control. The series of modules can digitize the test signal front-end and transmit it to the host through optical fiber; Or transmit the control instructions sent by the host to the controlled device to achieve remote control. Especially suitable for state detection and control of complex electromagnetic environments in power, industrial control, on-site switchgear, and large power equipment.
The role of distributed IO modules:
1. Support 4-way switch digital quantity
2. Supports 8 analog inputs
3. 4 relay outputs, 1 RS485 serial port data acquisition to Ethernet
4. 485 to Ethernet serial server
5. Supports Modbus to TCP/UDP protocol conversion
6. Supports virtual serial ports and interfaces with various configuration software
7. Support 0-5V, 0-10V, 0-30V range acquisition
8. Supports 0-20ma and 4-20ma range acquisition
Application of IO Link in Industrial Automation
This article mainly introduces the overall solution of ST IO Link communication master station used in industrial systems, including the following 5 aspects:
Firstly, the application of IO Link in industrial automation; The second is the introduction of ST IO Link main station transceiver; The third is the introduction of our ST”s IO Link main site evaluation board; The fourth is an introduction to the reference design scheme of the IO Link main station; The fifth is a demonstration of the IO Link master station reference design.
The industrial automation system can be said to be composed of many levels. The top level is usually industrial Ethernet to transmit data to the upper control center or monitoring center of the factory, while the middle layer is usually some PLC system for specialized process processing, such as controlling a specialized assembly line or production line. At the bottom, there are usually many industrial sensors, such as temperature sensors, pressure sensors, flow sensors, or proximity sensors, as well as some actuators, such as valves, moving lights, relays, or contactors, which are used for collecting and controlling physical quantities.
Between these levels, there will also be some modules or gateways for conversion and processing work. Therefore, in traditional industrial systems, there are many different level standards and communication protocols on site, resulting in poor modularity and versatility. Because there are both analog signals on site, such as a 4 to 20 mA current loop and analog voltage signals, as well as digital signals. In such an environment, analog signals are particularly susceptible to interference from harsh on-site environments. At the same time, sensors or actuators for analog transmission cannot perform on-site remote configuration or calibration 4000094-310 Invensys Triconex system diagnosis work. In order to solve the transmission of the last segment of data to sensors and actuators in industrial field environments, as described earlier, we have introduced a specialized digital interface IO Link to achieve fully digital transmission between the interface modules of sensors and industrial field buses. The bidirectional data transmission makes it possible to parameterize the interaction of on-site data, diagnose and transmit information. By using this technology, remote condition monitoring and predictable maintenance of terminal equipment can be achieved, thereby effectively alleviating the problem of production line downtime.
Its advantages include:4000094-310 Invensys Triconex system
Firstly, whether it is a pure digital sensor, an analog sensor after digital quantization, or different types of actuators, unified access can be achieved, thus achieving a simplified and standardized system architecture. Secondly, the transmission of digital signals will have stronger anti-interference ability than the transmission of analog signals, so the reliability of the system will also be stronger. Thirdly, through the bidirectional transmission of digital signals, more intelligent and advanced actuators or sensors can be used, making it easier to achieve status monitoring and system diagnostic protection functions. In this way, any issues and status of the production line can be monitored and maintained in real-time, ensuring the reliability, maintainability, and upgradability of the entire production line, thereby ensuring the minimum downtime.
The following is the specific content about IO Link technology
Firstly, the definition of the IO LINK standard enables data transmission, processing, configuration, and diagnostic information exchange between sensors or actuators and control systems. Secondly, this is a simple peer-to-peer communication architecture, where a master port is connected to a device port. Then, it can achieve compatibility with existing communication architectures, such as reusing cables and interfaces. At the same time, the IO Link system also has backward compatibility upgrade capability, as the master end of the system uses digital binary serial communication to interact with devices, and vice versa.
It can be said that IO link makes the system simpler:
Firstly, this is a universal standard communication method that complies with IEC61131-9. Secondly, IO Link is an intelligent communication system that solves the digital information exchange and transmission of the last distance from the control host to the terminal device. Thirdly, IO Link is simple to use and can be said to be plug and play, compatible with some existing system devices.
Some related products and solutions provided by ST in IO Link communication solutions
Firstly, in this communication system, the IO Link Master, which connects to the upper computer controller, is one of the main key solutions that will be mentioned later. Secondly, ST can provide some communication chips on the IO Link Master project, such as L6360. On the other side of the sensor or actuator end, namely the IO Link Slave end, ST can provide communication chips L6362A and L6364 on this IO Link Slave slave project. According to standards, this three-wire point-to-point communication method is easily compatible with some existing sensor actuators” standard ports, such as M12 standard industrial connectors and M12 standard connector wires. In addition, its advantages include the ability to achieve point-to-point bidirectional signal transmission within a single cable, as well as the general power supply requirements of the master end to the sensor actuator. According to the general requirements of the current industry, the maximum length of this cable is 20 meters, and the three wires inside are 24V, 0V, and data cables. The L+of this chip can support up to 500 milliamperes. If greater current is needed, there are also other L+drivers, including Load Switch IPS and other products, which can provide greater current or can be applied externally. The IO Link communication speed can generally reach a baud rate of 230.4K per COM3, and it also has functions such as status indication and detection.
For some specific application characteristics of IO Link, the communication transceiver system composed of L6360 and L6362A can support three standard data types of IO Link, namely COM1 (4.8k), COM2 (38.4K), and COM3 (230.4K) modes. This communication system can meet the requirements of all modern standards, industrial sensors, and actuators: firstly, it can quickly and very easily configure or reconfigure sensors or actuators. Secondly, it can be widely applied to various standardized sensors or systems that execute information. Thirdly, as a digital communication system, compared to traditional analog signal transmission systems, it can reduce power consumption and improve system efficiency. Fourthly, it has complete diagnostic and protection functions, which can improve the reliability of related systems. Therefore, it can be widely used to drive various digital sensors and actuators, as well as input and output modules of PLC, in order to achieve and meet various requirements of Industry 4.0.
How to Determine the Interference Problem of PROFINET IO Communication
Preliminary Diagnosis of PROFINET Interference Problems
1. Overview
When debugging PROFINET IO communication, it is common to encounter communication failures. One of the reasons for communication failures is interference. PROFINET IO communication equipment often operates in complex industrial electromagnetic environments, and incorrect shielding grounding or non-standard installation may lead to communication interference problems. Since optical signals are not affected by electromagnetic interference, this article only introduces interference problems with electrical signals.
2. How to determine interference issues
If PROFINET IO communication is affected by electromagnetic interference, a simple judgment can generally be made through the following aspects:
2.1. Judging the communication status through PROFINET IO
If the following communication phenomena are found during PROFINET IO communication debugging or operation, it may be affected by electromagnetic interference:
① Occasionally, communication is interrupted and restored.
② When certain on-site devices or specific operations are turned on, communication is interrupted, and on the contrary, communication returns to normal.
2.2. By using STEP7 online diagnostic information to determine and view the diagnostic buffer information of the IO controller, how to detect the presence of frequent communication failures and recovery information between the IO controller and IO devices in the diagnostic buffer, as shown in the following figure, may be affected by electromagnetic interference:
14 STEP7 Device Diagnostic Buffer Information
3. How to troubleshoot and solve interference problems
If a suspected electromagnetic interference causing PROFINET IO communication failure is found, how should we troubleshoot and solve it? The following will be introduced from the following aspects:
3.1 Increase PROFINET IO communication watchdog time
Due to PROFINET IO communication failure occurring during watchdog time, the IO controller did not provide input or output data (IO data) to the IO device, and watchdog time=the number of update cycles allowed for IO data loss × The refresh time is usually automatically calculated and allocated by the IO controller. This time value is generally small. If electromagnetic interference is encountered, the probability of communication failure occurring within the automatically calculated watchdog time will increase. At this time, we can appropriately increase the PROFINET IO communication refresh time or the number of update cycles allowed for IO data loss to increase the watchdog time. However, this method may not solve serious electromagnetic interference problems, and it is recommended to eliminate and solve them through subsequent methods.
1.Has been engaged in industrial control industry for a long time, with a large number of inventories.
2.Industry leading, price advantage, quality assurance
3.Diversified models and products, and all kinds of rare and discontinued products
4.15 days free replacement for quality problems
ABB — AC 800M controller, Bailey, PM866 controller, IGCT silicon controlled 5SHY 3BHB01 3BHE00 3HNA00 DSQC series
BENTLY — 3500 system/proximitor, front and rear card, sensor, probe, cable 3500/20 3500/61 3500/05-01-02-00-001 3500/40M 176449-01 3500/22M 138607-01
Emerson — modbus card, power panel, controller, power supply, base, power module, switch 1C31,5X00, CE400, A6500-UM, SE3008,1B300,1X00,
EPRO — PR6423 PR6424 PR6425 PR6426 PR9376 PR9268 Data acquisition module, probe, speed sensor, vibration sensor
FOXBORO — FCP270 FCP280 FCM10EF FBM207 P0914TD CP40B FBI10E FBM02 FBM202 FBM207B P0400HE Thermal resistance input/output module, power module, communication module, cable, controller, switch
GE —- IS200/215/220/230/420 DS200/215 IC693/695/697/698 VMICPCI VMIVME 369-HI-R-M-0-0-E 469 module, air switch, I/O module, display, CPU module, power module, converter, CPU board, Ethernet module, integrated protection device, power module, gas turbine card
HIMA — F3 AIO 8/4 01 F3231 F8627X Z7116 F8621A 984862160 F3236 F6217 F7553 DI module, processor module, AI card, pulse encoder
Honeywell — Secure digital output card, program module, analog input card, CPU module, FIM card
MOOG — D136-001-007 Servo valve, controller, module
NI — SCXI-1100 PCI – PXIE – PCIE – SBRIO – CFP-AO-210 USB-6525 Information Acquisition Card, PXI Module, Card
Westinghouse — RTD thermal resistance input module, AI/AO/DI/DO module, power module, control module, base module
Woodward — 9907-164 5466-258 8200-1300 9907-149 9907-838 EASYGEN-3500-5/P2 8440-2145 Regulator, module, controller, governor
YOKOGAWA – Servo module, control cabinet node unit
Main products:
PLC, DCS, CPU module, communication module, input/output module (AI/AO/DI/DO), power module, silicon controlled module, terminal module, PXI module, servo drive, servo motor, industrial display screen, industrial keyboard, controller, encoder, regulator, sensor, I/O board, counting board, optical fiber interface board, acquisition card, gas turbine card, FIM card and other automatic spare parts