欢迎来到【淘宝红包cookie源码】【开源网线源码】【找主力指标源码】reactorcore源码-皮皮网网站!!!

皮皮网

【淘宝红包cookie源码】【开源网线源码】【找主力指标源码】reactorcore源码-皮皮网 扫描左侧二维码访问本站手机端

【淘宝红包cookie源码】【开源网线源码】【找主力指标源码】reactorcore源码

2024-11-19 03:48:15 来源:{typename type="name"/} 分类:{typename type="name"/}

1.Reactor:深入理解reactor core
2.初步认识Twisted
3.NetherReactorcore是什么意思
4.电感类core材互换需要考滤哪些特性参数?

reactorcore源码

Reactor:深入理解reactor core

       在上一篇文章中,我们简要回顾了Reactor的发展历程和基本的Flux和Mono操作。本文将深入探讨Reactor的高级用法,让我们一起继续探索。

       自定义Subscriber的使用更为灵活。之前介绍的淘宝红包cookie源码Flux订阅方法需要通过lambda表达式来定义四个消费行为:consumer、errorConsumer、completeConsumer和subscriptionConsumer。这显得有些复杂,是否能通过一个更简洁的方式来实现呢?答案是肯定的,Reactor提供了subscribe方法,接受一个Subscriber实例,开源网线源码这样就集成了所有功能。

       直接使用Reactor提供的BaseSubscriber类,可以避免手动编写Subscriber的繁琐。BaseSubscriber是一个抽象类,它实现了Subscriber的所有功能,并提供了一些额外方法。但是要注意,BaseSubscriber是单次使用的,一旦订阅第二个Publisher,第一个的订阅就会被取消。

       为了自定义需求,找主力指标源码我们需要继承BaseSubscriber并重写特定的方法。例如,CustSubscriber重写了hookOnSubscribe和hookOnNext方法,允许在订阅开始和接收下一个值时执行自定义操作,如调用request方法控制接收速率。

       Reactor支持Backpressure处理,即当消费者处理速度跟不上生产者时,可以调整生产者的速率。BaseSubscriber的hookOnSubscribe默认设置为无限请求,但通过重写该方法,我们可以定制处理速度。小熊猫源码此外,Flux的limitRate方法可以限制subscriber接收数据的速度。

       创建Flux有多种方式,包括同步的generate、异步的create、支持多线程操作的push以及实例方法Handle。generate用于同步生成元素,create则可用于将第三方异步API与Flux连接。push是单线程的,而Handle则像generate一样处理SynchronousSink,但参数为无返回值的整蛊视频源码BiConsumer。

初步认识Twisted

       摘自 第三部分:初步认识Twisted_stulife_新浪博客

       Reactor

       首先我们先稍微写点简单的twisted程序来认识一下twisted。

       正如在第二部分所说的那样,twisted是实现了Reactor模式的,因此它必然会有一个对象来代表这个reactor或者说是事件循环,而这正是twisted的核心。上面代码的第一行引入了reactor,第二行开始启动事件循环。

       这个程序什么事情也不做。除非你通过ctrl+c来终止它,否则它会一直运行下去。通常会为循环提供一到多个文件描述符(连接到,例如,一个诗歌服务器),以便监控I/O。后面我们会来介绍这部分内容,现在这里的reactor被卡住了。值得注意的是,这里并不是一个在不停运行的简单循环。实际上,这个reactor被卡住在第二部分图5的最顶端,等待永远不会到来的事件发生(具体来说,等待一个没有文件描述符的selectcall)。

       下面我们会让这个程序丰富起来,不过事先要说几个

       1.Twisted的reactor只有通过调用reactor.run()来启动。2.The reactor loop runs in the same thread it was started in. In this case, it runs in the main (and only) thread.3.一旦启动,就会一直运行下去。The reactor is now “in control” of the program (or the specific thread it was started in).4.If it doesn’t have anything to do, the reactor loop does not consume CPU.5.The reactor isn’t created explicitly, just imported.

       最后一条需要解释一下。In Twisted, the reactor is basically a Singleton. There is only one reactor object and it is created implicitly when you import it.

       Twisted includes several reactor implementations that use a variety of different methods. For example, twisted.internet.pollreactor uses the poll system call instead of select.

       To use a specific reactor, you mustinstall it before importingtwisted.internet.reactor. Here is how you install the pollreactor:

       If you importtwisted.internet.reactorwithout first installing a specific reactor implementation, then Twisted will install the default reactor for you. The particular one you get will depend on the operating system and Twisted version you are using.

       For that reason, it is general practice not to import the reactor at the top level of modules to avoid accidentally installing the default reactor. Instead, import the reactor in the same scope in which you use it.

       使用pollreactor重写上面的程序:

       上面这段代码同样没有做任何事情。

       Callback

       A callback is a function reference that we give to Twisted (or any other framework) that Twisted will use to “call us back” at the appropriate time.

       Since Twisted’s loop is separate from our code, most interactions between the reactor core and our business logic will begin with a callback to a function we gave to Twisted using various APIs.

       有关回调的一些其它说明:

       Figure 6 illustrates some important properties of callbacks:

       During a callback, the Twisted loop is effectively “blocked” on our code. So we should make sure our callback code doesn’t waste any time. In particular, we should avoid making blocking I/O calls in our callbacks. Otherwise, we would be defeating the whole point of using the reactor pattern in the first place. Twisted will not take any special precautions to prevent our code from blocking, we just have to make sure not to do it.

       Other examples of potentially blocking operations include reading or writing from a non-socket file descriptor (like a pipe) or waiting for a subprocess to finish.

       Exactly how you switch from blocking to non-blocking operations is specific to what you are doing, but there is often a Twisted API that will help you do it.

       Note that many standard Python functions have no way to switch to a non-blocking mode. For example, theos.systemfunction will always block until the subprocess is finished. That’s just how it works. So when using Twisted, you will have to eschewos.systemin favor of the Twisted API for launching subprocesses.

       Goodbye, Twisted

       It turns out you can tell the Twisted reactor to stop running by using the reactor’sstop method. But once stopped the reactor cannot be restarted, so it’s generally something you do only when your program needs to exit.

       Here’s a program which stops the reactor after a 5 second countdown:

       This program uses thecallLater API to register a callback with Twisted. With callLater the callback is the second argument and the first argument is the number of seconds in the future you would like your callback to run.

       So how does Twisted arrange to execute the callback at the right time? Since this program doesn’t listen on any file descriptors, why doesn’t it get stuck in theselect loop like the others? The select call, and the others like it, also accepts an optional timeout value. If a timeout value is supplied and no file descriptors have become ready for I/O within the specified time then theselect call will return anyway. Incidentally, by passing a timeout value of zero you can quickly check (or “poll”) a set of file descriptors without blocking at all.

       You can think of a timeout as another kind of event the event loop of Figure 5 is waiting for. And Twisted uses timeouts to make sure any “timed callbacks” registered withcallLaterget called at the right time. Or rather, at approximately the right time. If another callback takes a really long time to execute, a timed callback may be delayed past its schedule. Twisted’scallLatermechanism cannot provide the sort of guarantees required in a hard real-time system.

       Here is the output of our countdown program:

       由于Twisted经常会在回调中结束调用我们的代码,因此你可能会想,如果我们的回调函数中出现异常会发生什么状况。

       reactor并不会因为回调函数中出现失败(虽然它会报告异常)而停止运行。网络服务器通常需要这种健壮的软件。它们通常不希望由于一个随机的Bug导致崩溃。

NetherReactorcore是什么意思

       按这样排列才有效:第一层:金圆金

       圆圆圆

       金圆金

       第二层:圆空圆

       空反空

       圆空圆

       第三层:空圆空

       圆圆圆

       空圆空

       注意:金为金块,反为NetherReactorCore,圆为开采出来有裂缝的石头,空为空气。

       请在离家远的地方试用,它会刷出一个7xx的巨型黑曜石房间。每次下界的时间仅为秒。秒内,5秒就会度过一个白天或黑夜。请把以上提示图按3x3x3的立体方形摆放。弄完后再用铁剑打一下NetherReactorCore,它就会运转。

电感类core材互换需要考滤哪些特性参数?

       1 backplane 背板

       2 Band gap voltage reference 带隙电压参考

       3 benchtop supply 工作台电源

       4 Block Diagram 方块图

       5 Bode Plot 波特图

       6 Bootstrap 自举

       7 Bottom FET Bottom FET

       8 bucket capcitor 桶形电容

       9 chassis 机架

        Combi-sense Combi-sense

        constant current source 恒流源

        Core Sataration 铁芯饱和

        crossover frequency 交叉频率

        current ripple 纹波电流

        Cycle by Cycle 逐周期

        cycle skipping 周期跳步

        Dead Time 死区时间

        DIE Temperature 核心温度

        Disable 非使能,无效,禁用,关断

        dominant pole 主极点

        Enable 使能,有效,启用

        ESD Rating ESD额定值

        Evaluation Board 评估板

        Exceeding the specifications below may result in permanent damage to the device, or device malfunction. Operation outside of the parameters specified in the Electrical Characteristics section is not implied. 超过下面的规格使用可能引起永久的设备损害或设备故障。建议不要工作在电特性表规定的参数范围以外。

        Failling edge 下降沿

        figure of merit 品质因数

        float charge voltage 浮充电压

        flyback power stage 反驰式功率级

        forward voltage drop 前向压降

        free-running 自由运行

        Freewheel diode 续流二极管

        Full load 满负载

        gate drive 栅极驱动

        gate drive stage 栅极驱动级

        gerber plot Gerber 图

        ground plane 接地层

        Henry 电感单位:亨利

        Human Body Model 人体模式

        Hysteresis 滞回

        inrush current 涌入电流

        Inverting 反相

        jittery 抖动

        Junction 结点

        Kelvin connection 开尔文连接

        Lead Frame 引脚框架

        Lead Free 无铅

        level-shift 电平移动

        Line regulation 电源调整率

        load regulation 负载调整率

        Lot Number 批号

        Low Dropout 低压差

        Miller 密勒

        node 节点

        Non-Inverting 非反相

        novel 新颖的

        off state 关断状态

        Operating supply voltage 电源工作电压

        out drive stage 输出驱动级

        Out of Phase 异相

        Part Number 产品型号

        pass transistor pass transistor

        P-channel MOSFET P沟道MOSFET

        Phase margin 相位裕度

        Phase Node 开关节点

        portable electronics 便携式电子设备

        power down 掉电

        Power Good 电源正常

        Power Groud 功率地

        Power Save Mode 节电模式

        Power up 上电

        pull down 下拉

        pull up 上拉

        Pulse by Pulse 逐脉冲(Pulse by Pulse)

        push pull converter 推挽转换器

        ramp down 斜降

        ramp up 斜升

        redundant diode 冗余二极管

        resistive divider 电阻分压器

        ringing 振 铃

        ripple current 纹波电流

        rising edge 上升沿

        sense resistor 检测电阻

        Sequenced Power Supplys 序列电源

        shoot-through 直通,同时导通

        stray inductances. 杂散电感

        sub-circuit 子电路

        substrate 基板

        Telecom 电信

        Thermal Information 热性能信息

        thermal slug 散热片

        Threshold 阈值

        timing resistor 振荡电阻

        Top FET Top FET

        Trace 线路,走线,引线

        Transfer function 传递函数

        Trip Point 跳变点

        turns ratio 匝数比,=Np / Ns。(初级匝数/次级匝数)

        Under Voltage Lock Out (UVLO) 欠压锁定

        Voltage Reference 电压参考

        voltage-second product 伏秒积

        zero-pole frequency compensation 零极点频率补偿

        beat frequency 拍频

        one shots 单击电路

        scaling 缩放

        ESR 等效串联电阻

        Ground 地电位

        trimmed bandgap 平衡带隙

        dropout voltage 压差

        large bulk capacitance 大容量电容

        circuit breaker 断路器

        charge pump 电荷泵

        overshoot 过冲

       1) 元件设备

       三绕组变压器:three-column transformer ThrClnTrans

       双绕组变压器:double-column transformer DblClmnTrans

       电容器:Capacitor

       并联电容器:shunt capacitor

       电抗器:Reactor

       母线:Busbar

       输电线:TransmissionLine

       发电厂:power plant

       断路器:Breaker

       刀闸(隔离开关):Isolator

       分接头:tap

       电动机:motor

       (2) 状态参数

       有功:active power

       无功:reactive power

       电流:current

       容量:capacity

       电压:voltage

       档位:tap position

       有功损耗:reactive loss

       无功损耗:active loss

       功率因数:power-factor

       功率:power

       功角:power-angle

       电压等级:voltage grade

       空载损耗:no-load loss

       铁损:iron loss

       铜损:copper loss

       空载电流:no-load current

       阻抗:impedance

       正序阻抗:positive sequence impedance

       负序阻抗:negative sequence impedance

       零序阻抗:zero sequence impedance

       电阻:resistor

       电抗:reactance

       电导:conductance

       电纳:susceptance

       无功负载:reactive load 或者QLoad

       有功负载: active load PLoad

       遥测:YC(telemetering)

       遥信:YX

       励磁电流(转子电流):magnetizing current

       定子:stator

       功角:power-angle

       上限:upper limit

       下限:lower limit

       并列的:apposable

       高压: high voltage

       低压:low voltage

       中压:middle voltage

       电力系统 power system

       发电机 generator

       励磁 excitation

       励磁器 excitor

       电压 voltage

       电流 current

       母线 bus

       变压器 transformer

       升压变压器 step-up transformer

       高压侧 high side

       输电系统 power transmission system

       输电线 transmission line

       固定串联电容补偿fixed series capacitor compensation

       稳定 stability

       电压稳定 voltage stability

       功角稳定 angle stability

       暂态稳定 transient stability

       电厂 power plant

       能量输送 power transfer

       交流 AC

       装机容量 installed capacity

       电网 power system

       落点 drop point

       开关站 switch station

       双回同杆并架 double-circuit lines on the same tower

       变电站 transformer substation

       补偿度 degree of compensation

       高抗 high voltage shunt reactor

       无功补偿 reactive power compensation

       故障 fault

       调节 regulation

       裕度 magin

       三相故障 three phase fault

       故障切除时间 fault clearing time

       极限切除时间 critical clearing time

       切机 generator triping

       高顶值 high limited value

       强行励磁 reinforced excitation

       线路补偿器 LDC(line drop compensation)

       机端 generator terminal

       静态 static (state)

       动态 dynamic (state)

       单机无穷大系统 one machine - infinity bus system

       机端电压控制 ***R

       电抗 reactance

       电阻 resistance

       功角 power angle

       有功(功率) active power

       无功(功率) reactive power

       功率因数 power factor

       无功电流 reactive current

       下降特性 droop characteristics

       斜率 slope

       额定 rating

       变比 ratio

       参考值 reference value

       电压互感器 PT

       分接头 tap

       下降率 droop rate

       仿真分析 simulation analysis

       传递函数 transfer function

       框图 block diagram

       受端 receive-side

       裕度 margin

       同步 synchronization

       失去同步 loss of synchronization

       阻尼 damping

       摇摆 swing

       保护断路器 circuit breaker

       电阻:resistance

       电抗:reactance

       阻抗:impedance

       电导:conductance

       电纳:susceptance

       导纳:admittance

       电感:inductance

       电容: capacitance

       printed circuit 印制电路

       printed wiring 印制线路

       printed board 印制板

       printed circuit board 印制板电路

       printed wiring board 印制线路板

       printed component 印制元件

       printed contact 印制接点

       printed board assembly 印制板装配

       board 板

       rigid printed board 刚性印制板

       flexible printed circuit 挠性印制电路

       flexible printed wiring 挠性印制线路

       flush printed board 齐平印制板

       metal core printed board 金属芯印制板

       metal base printed board 金属基印制板

       mulit-wiring printed board 多重布线印制板

       molded circuit board 模塑电路板

       discrete wiring board 散线印制板

       micro wire board 微线印制板

       buile-up printed board 积层印制板

       surface laminar circuit 表面层合电路板

       B2it printed board 埋入凸块连印制板

       chip on board 载芯片板

       buried resistance board 埋电阻板

       mother board 母板

       daughter board 子板

       backplane 背板

       bare board 裸板

       copper-invar-copper board 键盘板夹心板

       dynamic flex board 动态挠性板

       static flex board 静态挠性板

       break-away planel 可断拼板

       cable 电缆

       flexible flat cable (FFC) 挠性扁平电缆

       membrane switch 薄膜开关

       hybrid circuit 混合电路

       thick film 厚膜

       thick film circuit 厚膜电路

       thin film 薄膜

       thin film hybrid circuit 薄膜混合电路

       interconnection 互连

       conductor trace line 导线

       flush conductor 齐平导线

       transmission line 传输线

       crossover 跨交

       edge-board contact 板边插头

       stiffener 增强板

       substrate 基底

       real estate 基板面

       conductor side 导线面

       component side 元件面

       solder side 焊接面

       printing 印制

       grid 网格

       pattern 图形

       conductive pattern 导电图形

       non-conductive pattern 非导电图形

       legend 字符

       mark 标志

       base material 基材

       laminate 层压板

       metal-clad bade material 覆金属箔基材

       copper-clad laminate (CCL) 覆铜箔层压板

       composite laminate 复合层压板

       thin laminate 薄层压板

       basis material 基体材料

       prepreg 预浸材料

       bonding sheet 粘结片

       preimpregnated bonding sheer 预浸粘结片

       epoxy glass substrate 环氧玻璃基板

       mass lamination panel 预制内层覆箔板

       core material 内层芯板

       bonding layer 粘结层

       film adhesive 粘结膜

       unsupported adhesive film 无支撑胶粘剂膜

       cover layer (cover lay) 覆盖层

       stiffener material 增强板材

       copper-clad surface 铜箔面

       foil removal surface 去铜箔面

       unclad laminate surface 层压板面

       base film surface 基膜面

       adhesive faec 胶粘剂面

       plate finish 原始光洁面

       matt finish 粗面

       length wise direction 纵向

       cross wise direction 模向

       cut to size panel 剪切板

       ultra thin laminate 超薄型层压板

       A-stage resin A阶树脂

       B-stage resin B阶树脂

       C-stage resin C阶树脂

       epoxy resin 环氧树脂

       phenolic resin 酚醛树脂

       polyester resin 聚酯树脂

       polyimide resin 聚酰亚胺树脂

       bismaleimide-triazine resin 双马来酰亚胺三嗪树脂

       acrylic resin 丙烯酸树脂

       melamine formaldehyde resin 三聚氰胺甲醛树脂

       polyfunctional epoxy resin 多官能环氧树脂

       brominated epoxy resin 溴化环氧树脂

       epoxy novolac 环氧酚醛

       fluroresin 氟树脂

       silicone resin 硅树脂

       silane 硅烷 polymer 聚合物

       amorphous polymer 无定形聚合物

       crystalline polamer 结晶现象

       dimorphism 双晶现象

       copolymer 共聚物

       synthetic 合成树脂

       thermosetting resin 热固性树脂

       thermoplastic resin 热塑性树脂

       photosensitive resin 感光性树脂

       epoxy value 环氧值

       dicyandiamide 双氰胺

       binder 粘结剂

       adesive 胶粘剂

       curing agent 固化剂

       flame retardant 阻燃剂

       opaquer 遮光剂

       plasticizers 增塑剂

       unsatuiated polyester 不饱和聚酯

       polyester 聚酯薄膜

       polyimide film (PI) 聚酰亚胺薄膜

       polytetrafluoetylene (PTFE) 聚四氟乙烯

       reinforcing material 增强材料

       glass fiber 玻璃纤维

       E-glass fibre E玻璃纤维

       D-glass fibre D玻璃纤维

       S-glass fibre S玻璃纤维

       glass fabric 玻璃布

       non-woven fabric 非织布

       glass mats 玻璃纤维垫

       yarn 纱线

       filament 单丝

       strand 绞股

       weft yarn 纬纱

       warp yarn 经纱

       denier 但尼尔

       warp-wise 经向

       thread count 织物经纬密度

       weave structure 织物组织

       plain structure 平纹组织

       grey fabric 坏布

       woven scrim 稀松织物

       bow of weave 弓纬

       end missing 断经

       mis-picks 缺纬

       bias 纬斜

       crease 折痕

       waviness 云织

       fish eye 鱼眼

       feather length 毛圈长

       mark 厚薄段

       split 裂缝

       twist of yarn 捻度

       size content 浸润剂含量

       size residue 浸润剂残留量

       finish level 处理剂含量

       size 浸润剂

       couplint agent 偶联剂

       finished fabric 处理织物

       polyarmide fiber 聚酰胺纤维

       aromatic polyamide paper 聚芳酰胺纤维纸

       breaking length 断裂长

       height of capillary rise 吸水高度

       wet strength retention 湿强度保留率

       whitenness 白度 ceramics 陶瓷

       conductive foil 导电箔

       copper foil 铜箔

       rolled copper foil 压延铜箔

       annealed copper foil 退火铜箔

       thin copper foil 薄铜箔

       adhesive coated foil 涂胶铜箔

       resin coated copper foil 涂胶脂铜箔

       composite metallic material 复合金属箔

       carrier foil 载体箔

       invar 殷瓦

       foil profile 箔(剖面)轮廓

       shiny side 光面

       matte side 粗糙面

       treated side 处理面

       stain proofing 防锈处理

       double treated foil 双面处理铜箔

       shematic diagram 原理图

       logic diagram 逻辑图

       printed wire layout 印制线路布设

       master drawing 布设总图

       computer aided drawing 计算机辅助制图

       computer controlled display 计算机控制显示

       placement 布局

       routing 布线

       layout 布图设计

       rerouting 重布

       simulation 模拟

       logic simulation 逻辑模拟

       circit simulation 电路模拟

       timing simulation 时序模拟

       modularization 模块化

       layout effeciency 布线完成率

       MDF databse 机器描述格式数据库

       design database 设计数据库

       design origin 设计原点

       optimization (design) 优化(设计)

       predominant axis 供设计优化坐标轴

       table origin 表格原点

       mirroring 镜像

       drive file 驱动文件

       intermediate file 中间文件

       manufacturing documentation 制造文件

       queue support database 队列支撑数据库

       component positioning 元件安置

       graphics dispaly 图形显示

       scaling factor 比例因子

       scan filling 扫描填充

       rectangle filling 矩形填充

       region filling 填充域

       physical design 实体设计

       logic design 逻辑设计

       logic circuit 逻辑电路

       hierarchical design 层次设计

       top-down design 自顶向下设计

       bottom-up design 自底向上设计

       net 线网

       digitzing 数字化

       design rule checking 设计规则检查

       router (CAD) 走(布)线器

       net list 网络表

       subnet 子线网

       objective function 目标函数

       post design processing (PDP) 设计后处理

       interactive drawing design 交互式制图设计

       cost metrix 费用矩阵

       engineering drawing 工程图

       block diagram 方块框图

       moze 迷宫

       component density 元件密度

       traveling salesman problem 回售货员问题

       degrees freedom 自由度

       out going degree 入度

       incoming degree 出度

       manhatton distance 曼哈顿距离

       euclidean distance 欧几里德距离

       network 网络

       array 阵列

       segment 段

       logic 逻辑

       logic design automation 逻辑设计自动化

       separated time 分线

       separated layer 分层

       definite sequence 定顺序

       conduction (track) 导线(通道)

       conductor width 导线(体)宽度

       conductor spacing 导线距离

       conductor layer 导线层

       conductor line/space 导线宽度/间距

       conductor layer No.1 第一导线层

       round pad 圆形盘

       square pad 方形盘

       diamond pad 菱形盘

       oblong pad 长方形焊盘

       bullet pad 子弹形盘

       teardrop pad 泪滴盘

       snowman pad 雪人盘

       V-shaped pad V形盘

       annular pad 环形盘

       non-circular pad 非圆形盘

       isolation pad 隔离盘

       monfunctional pad 非功能连接盘

       offset land 偏置连接盘

       back-bard land 腹(背)裸盘

       anchoring spaur 盘址

       land pattern 连接盘图形

       land grid array 连接盘网格阵列

       annular ring 孔环

       component hole 元件孔

       mounting hole 安装孔

       supported hole 支撑孔

       unsupported hole 非支撑孔

       via 导通孔

       plated through hole (PTH) 镀通孔

       access hole 余隙孔

       blind via (hole) 盲孔

       buried via hole 埋孔

       buried blind via 埋,盲孔

       any layer inner via hole 任意层内部导通孔

       all drilled hole 全部钻孔

       toaling hole 定位孔

       landless hole 无连接盘孔

       interstitial hole 中间孔

       landless via hole 无连接盘导通孔

       pilot hole 引导孔

       terminal clearomee hole 端接全隙孔

       dimensioned hole 准尺寸孔

       via-in-pad 在连接盘中导通孔

       hole location 孔位

       hole density 孔密度

       hole pattern 孔图

       drill drawing 钻孔图

       assembly drawing 装配图

       datum referan 参考基准

       Absorber Circuit 吸收电路

       AC/AC Frequency Converter 交交变频电路

       AC power control 交流电力控制

       AC Power Controller 交流调功电路

       AC Power Electronic Switch 交流电力电子开关

       Ac Voltage Controller 交流调压电路

       Asynchronous Modulation 异步调制

       Baker Clamping Circuit 贝克箝位电路

       Bi-directional Triode Thyristor 双向晶闸管

       Bipolar Junction Transistor-- BJT 双极结型晶体管

       Boost-Buck Chopper 升降压斩波电路

       Boost Chopper 升压斩波电路

       Boost Converter 升压变换器

       Bridge Reversible Chopper 桥式可逆斩波电路

       Buck Chopper 降压斩波电路

       Buck Converter 降压变换器

        Commutation 换流

       Conduction Angle 导通角

       Constant Voltage Constant Frequency --CVCF 恒压恒频

       Continuous Conduction--CCM (电流)连续模式

       Control Circuit 控制电路

       Cuk Circuit CUK 斩波电路

       Current Reversible Chopper 电流可逆斩波电路

       Current Source Type Inverter--CSTI 电流(源)型逆变电路

       Cycloconvertor 周波变流器

       DC-AC-DC Converter 直交直电路

       DC Chopping 直流斩波

       DC Chopping Circuit 直流斩波电路

       DC-DC Converter 直流-直流变换器

       Device Commutation 器件换流

       Direct Current Control 直接电流控制

       Discontinuous Conduction mode (电流)断续模式

       displacement factor 位移因数

       distortion power 畸变功率

       double end converter 双端电路

       driving circuit 驱动电路

       electrical isolation 电气隔离

       fast acting fuse 快速熔断器

       fast recovery diode 快恢复二极管

       fast revcovery epitaxial diodes 快恢复外延二极管

       fast switching thyristor 快速晶闸管

       field controlled thyristor 场控晶闸管

       flyback converter 反激电流

       forced commutation 强迫换流

       forward converter 正激电路

       frequency converter 变频器

       full bridge converter 全桥电路

       full bridge rectifier 全桥整流电路

       full wave rectifier 全波整流电路

       fundamental factor 基波因数

        gate turn-off thyristor——GTO 可关断晶闸管

       general purpose diode 普通二极管

       giant transistor——GTR 电力晶体管

       half bridge converter 半桥电路

       hard switching 硬开关

       high voltage IC 高压集成电路

       hysteresis comparison 带环比较方式

       indirect current control 间接电流控制

       indirect DC-DC converter 直接电流变换电路

       insulated-gate bipolar transistor---IGBT 绝缘栅双极晶体管

       intelligent power module---IPM 智能功率模块

       integrated gate-commutated thyristor---IGCT 集成门极换流晶闸管

       inversion 逆变

       latching effect 擎住效应

       leakage inductance 漏感

       light triggered thyristo---LTT 光控晶闸管

       line commutation 电网换流

       load commutation 负载换流

       loop current 环流当然,步痕旅游网想法:买本专业词汇的书,一切Ok