-
Notifications
You must be signed in to change notification settings - Fork 1
/
README
2121 lines (1739 loc) · 112 KB
/
README
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
457
458
459
460
461
462
463
464
465
466
467
468
469
470
471
472
473
474
475
476
477
478
479
480
481
482
483
484
485
486
487
488
489
490
491
492
493
494
495
496
497
498
499
500
501
502
503
504
505
506
507
508
509
510
511
512
513
514
515
516
517
518
519
520
521
522
523
524
525
526
527
528
529
530
531
532
533
534
535
536
537
538
539
540
541
542
543
544
545
546
547
548
549
550
551
552
553
554
555
556
557
558
559
560
561
562
563
564
565
566
567
568
569
570
571
572
573
574
575
576
577
578
579
580
581
582
583
584
585
586
587
588
589
590
591
592
593
594
595
596
597
598
599
600
601
602
603
604
605
606
607
608
609
610
611
612
613
614
615
616
617
618
619
620
621
622
623
624
625
626
627
628
629
630
631
632
633
634
635
636
637
638
639
640
641
642
643
644
645
646
647
648
649
650
651
652
653
654
655
656
657
658
659
660
661
662
663
664
665
666
667
668
669
670
671
672
673
674
675
676
677
678
679
680
681
682
683
684
685
686
687
688
689
690
691
692
693
694
695
696
697
698
699
700
701
702
703
704
705
706
707
708
709
710
711
712
713
714
715
716
717
718
719
720
721
722
723
724
725
726
727
728
729
730
731
732
733
734
735
736
737
738
739
740
741
742
743
744
745
746
747
748
749
750
751
752
753
754
755
756
757
758
759
760
761
762
763
764
765
766
767
768
769
770
771
772
773
774
775
776
777
778
779
780
781
782
783
784
785
786
787
788
789
790
791
792
793
794
795
796
797
798
799
800
801
802
803
804
805
806
807
808
809
810
811
812
813
814
815
816
817
818
819
820
821
822
823
824
825
826
827
828
829
830
831
832
833
834
835
836
837
838
839
840
841
842
843
844
845
846
847
848
849
850
851
852
853
854
855
856
857
858
859
860
861
862
863
864
865
866
867
868
869
870
871
872
873
874
875
876
877
878
879
880
881
882
883
884
885
886
887
888
889
890
891
892
893
894
895
896
897
898
899
900
901
902
903
904
905
906
907
908
909
910
911
912
913
914
915
916
917
918
919
920
921
922
923
924
925
926
927
928
929
930
931
932
933
934
935
936
937
938
939
940
941
942
943
944
945
946
947
948
949
950
951
952
953
954
955
956
957
958
959
960
961
962
963
964
965
966
967
968
969
970
971
972
973
974
975
976
977
978
979
980
981
982
983
984
985
986
987
988
989
990
991
992
993
994
995
996
997
998
999
1000
ixgbe Linux* Base Driver for Intel(R) Ethernet Network Connections
==================================================================
================================================================================
March 21, 2017
================================================================================
Contents
--------
- Important Note
- Overview
- Building and Installation
- Command Line Parameters
- Additional Configurations
- Known Issues/Troubleshooting
- Support
- License
================================================================================
Important Notes
---------------
result of not disabling LRO when combined with ip forwarding or bridging can be
low throughput or even a kernel panic.
The ixgbe driver supports the Large Receive Offload (LRO) feature.
This option offers the lowest CPU utilization for receives but is completely
incompatible with *routing/ip forwarding* and *bridging*. If enabling ip
forwarding or bridging is a requirement, it is necessary to disable LRO using
compile time options as noted in the LRO section later in this document. The
result of not disabling LRO when combined with ip forwarding or bridging can be
low throughput or even a kernel panic.
In a virtualized environment, on Intel(R) Ethernet Server Adapters that support
SR-IOV, the virtual function (VF) may be subject to malicious behavior.
Software-generated layer two frames, like IEEE 802.3x (link flow control), IEEE
802.1Qbb (priority based flow-control), and others of this type, are not
expected and can throttle traffic between the host and the virtual switch,
reducing performance. To resolve this issue, configure all SR-IOV enabled ports
for VLAN tagging. This configuration allows unexpected, and potentially
malicious, frames to be dropped.
Overview
note:
53
repository[rɪˈpɒzətri] /commit /Issue /star /Fork /Pull Request/Watch /Gist(thrust, I guess I got the gist of it.)
dropdown/blame/raw/normal view/ history/incorporated(The new cars will incorporate a number of major improvements.)/clipboard/profile/
deploy(to move soldiers or weapons into a position where they are ready for military action)
They look exactly the same, but not for long! Next we’ll add our changes to the new branch.
backend frontend rookie[ˈrʊki](I am quite rookie on this.)
Bravo[ˌbrɑ:ˈvəʊ]! dashboard(a knob on the ~)
Pull Requests are the heart of collaboration on GitHub. When you open a pull request, you’re proposing your changes and
requesting that someone review and pull in your contribution and merge them into their branch.
Pull requests show diffs, or differences, of the content from both branches. The changes, additions, and subtractions are
shown in green and red.
By using GitHub’s @mention system in your pull request message, you can ask for feedback from specific people or teams,
whether they’re down the hall or 10 time zones away.
You can even open pull requests in your own repository and merge them yourself. It’s a great way to learn the GitHub flow before
working on larger projects.
<incentive> the bonus is an incentive for me to work hard.stimulus
motive Hunger was the motive for his stealing.
stimulation (a little abstract. Many enjoy the mental stimulation of a challenging job)
defeat(v,If you defeat someone, you win a victory over them in a battle, game, or contest.n,suffer a defeat)
sustain(~ defeat,loss,injury) feminine (ideology of femininity motherhood)
<divert ~ attention from ,~ funds from to> gleam(black hair ~ in the sun,glitter glow,cigarette`s red ~, glare(n,v) the~ of a
car`s headlights flash twinkle(eye ~)
sparkle,n,v If something sparkles, it is clear and bright and shines with a lot of very small points of light.
jewels on her fingers sparkled)
profound(~ influence,implication) stall(booth) destined(He feels that he was destined to become a musician)
destine(they are destine never to meet again)
destiny(master of destiny,Is it destiny(n) that brings people together, or is it accident(n)) It is ... that emphasis.
tick(n,v,Please tick this box if you do not wish to receive such mailings)
<inflict,to make sb/sth suffer sth unpleasant,~ heavy casualties on govermnet>
depict(portray,~sb,plays sb in a play or film,depicts a gloomy, futuristic America
To depict someone or something means to show or represent them in a work of art such as a drawing or painting.)
represent(v,If you represent a person or thing as a particular thing, you describe them as being that thing.)
<<flip,If you flip through(prep,adv) the pages of a book,
for example, you quickly turn over the pages in order to find a particular one or to get an idea of the contents.~ a magazine>>
clip( clipping his hedge,She took the clip out of her hair.)
undertake(~ tough task )
subsequent(She subsequently became the Faculty's President,in the ~ years) <facility>
descent(All the contributors were of African/Asian descent.
Sixteen of the youngsters set off for help, but during the descent three collapsed in the cold and rain.)
concede(v,If you concede something, you admit, often unwillingly, that it is true or correct.
If you concede something, you give it to the person who has been trying to get it from you.)
sober immerse<e-merge> trivial encounter(confront)
rupture<n,v If an object ruptures or if something ruptures it, it bursts open.>
donate<endow with> snatch childlike naive ignite cooperate(corporate image)
handicap(n,disability,obstacle, overcome his ~,v, Stress may seriously handicap some students)
contrary(contrary to the popular belief)
(controversy<discussion about sth with strong feelings of anger or disapproval>) overturn(overthrow turnover)
gracious( kind, polite and generous, especially to sb of a lower social position ,a ~ lady)
graceful(moving in a controlled, attractive way or having a smooth, attractive form,The dancers were all tall and graceful.)
hinge pleasant sensation(a feeling that you get when sth affects your body,lost his all ~,create a ~)
(sense(n,v,She probably sensed that I wasn't telling her the whole story)
sensational<causing great surprise, excitement, or interest,The result was a sensational 4–1 victory.
You look sensational in that dress!>wonderful\glorious)
tier(one of several levels in an organization or a system,a two-tier system of management)
(sixth sense) (elegance<The furniture managed to combine <practicality[ˌpræktɪˈkæləti]> with elegance.>
grace<a quality of behaviour that is polite and pleasant and deserves respect(n,v)>
He conducted himself with grace and dignity throughout the trial.)
<conduct>(formal,~ yourself ,to behave in a particular way,He condkucted himself far better than expected.
to allow heat or electricity to pass <along or through> it,Copper conducts electricity well.)
to direct(adj,v) a group of people who are singing or playing music, a concert by the Philharmonic Orchestra, conducted by Sir Colin Davis
(to organize and/or do a particular[pəˈtɪkjələ(r)] activity,to conduct an experiment/an inquiry/a survey,
The negotiations have been conducted in a positive manner.) overview(over-view)
Disable LRO if enabling ip forwarding or bridging
-------------------------------------------------
WARNING: The ixgbe driver supports the Large Receive Offload (LRO) feature.
This option offers the lowest CPU utilization for receives but is completely
incompatible with *routing/ip forwarding* and *bridging*. If enabling ip
forwarding or bridging is a requirement, it is necessary to disable LRO using
compile time options as noted in the LRO section later in this document. The
result of not disabling LRO when combined with ip forwarding or bridging can be
low throughput or even a kernel panic.
The ixgbe driver supports the Large Receive Offload (LRO) feature.
This option offers the lowest CPU utilization for receives but is completely
incompatible with *routing/ip forwarding* and *bridging*. If enabling ip
forwarding or bridging is a requirement, it is necessary to disable LRO using
compile time options as noted in the LRO section later in this document. The
result of not disabling LRO when combined with ip forwarding or bridging can be
low throughput or even a kernel panic.
In a virtualized environment, on Intel(R) Ethernet Server Adapters that support
SR-IOV, the virtual function (VF) may be subject to malicious behavior.
Software-generated layer two frames, like IEEE 802.3x (link flow control), IEEE
802.1Qbb (priority based flow-control), and others of this type, are not
expected and can throttle traffic between the host and the virtual switch,
reducing performance. To resolve this issue, configure all SR-IOV enabled ports
for VLAN tagging. This configuration allows unexpected, and potentially
malicious, frames to be dropped.
Overview
-------------------------------------------------------------
Do not unload a port's driver if a Virtual Function (VF) with an active Virtual
Machine (VM) is bound to it. Doing so will cause the port to appear to hang.
note:
25
(more)prevalent(This condition is more prevalent in women than in men...)
<prevail,A similar situation prevails in America>
contemplate(temple,If you contemplate an idea or subject, you think about it carefully for a long time.)
dilute unveil(a ceremony to unveil a monument to the victims,unveiled his new strategy this week) compulsory
reluctant(,do it slowly and without enthusiasm.relevant,Make sure you enclose all the relevant certificates)
breakdown(The breakdown of something such as a relationship, plan, or discussion is its failure or ending,the ~ of talk between
If you have a breakdown, you become very depressed, so that you are unable to cope with your life.)
hike(~ through the Fish River) exert(~ influence on sth,~ oneself in doing)
<defer,Customers often defer payment for as long as possible...,Doctors are encouraged to defer to experts>
revelation(revelations about his private life) reclaim(reclaim South African citizenship, be eligible to reclaim income tax,~ land)
<impetus,renewed ~ to economic regeneration> endorse(~ wholeheartedly,The payee of the cheque must endorse the cheque.)
superior(~ to,~ quality) identical(Things that are identical are exactly the same,Nearly all the houses were identical.)
arrogant(Someone who is arrogant behaves in a proud, unpleasant way towards other people because they believe
that they are more important than others.) obstacle(handicap) obscure(n,v in obscure language,vague ~memory)
<constitution,Your constitution is your health,strong ~,
The constitution of a country or organization is the system of laws which formally states people's rights and duties.>
<confer,He conferred with Hill and the others in his office.
The constitution also confers large powers on Brazil's 25 constituent states...>
constituent(n,A constituent of a mixture, substance, or system is one of the things from which it is formed.
The constituent parts of something are the things from which it is formed.)
precedent(set an important precedent for dealing with )
<precede(Look at the information that precedes the paragraph in question...)>
suppress(If someone in authority suppresses an activity, they prevent it from continuing, by using force or making it illegal.)
repress(repress a feeling,He repressed a smile.
If a section of society is repressed, their freedom is restricted by the people who have authority over them.
) depress
dedicate(he dedicated himself to politics) anniversary
Do not unload port driver if VF with active VM is bound to it
-------------------------------------------------------------
Do not unload a port's driver if a Virtual Function (VF) with an active Virtual
Machine (VM) is bound to it. Doing so will cause the port to appear to hang.
Once the VM shuts down, or otherwise releases the VF, the command will complete.
(20)
note:
hospitality(be overwhelmed by the ~ of people) junction(Follow the road to a junction and turn left...) tan
indulge(Only rarely will she indulge in a glass of wine...) enroll(enroll your children in the school,enroll new students)
simultaneous tribute(the song is a ~ to) superiority <test-ify,testify to/against/in favor of>
revive(vi,vt ,sth/sb) stimulate() simulate(America's priority is rightly to stimulate its economy.)
manoeuvre<The authorities have to manoeuvre the markets into demanding a cut in interest rates.
If you manoeuvre something into or out of an awkward position, you skilfully move it there.
We attempted to manoeuvre the canoe closer to him...>
quench corrupt(corruption) dub
tempt(If you tempt someone, you offer them something they want in order to encourage them to do what you want them to do.
)
facilitate(The new airport will facilitate the development of tourism.,facility)
ingenious<a truly ingenious invention,genius> jeopardise(might jeopardise Hong Kong's "stability and development")
Configuring SR-IOV for improved network security
------------------------------------------------
In a virtualized environment, on Intel(R) Ethernet Server Adapters that support
SR-IOV, the virtual function (VF) may be subject to malicious behavior.
Software-generated layer two frames, like IEEE 802.3x (link flow control), IEEE
802.1Qbb (priority based flow-control), and others of this type, are not
expected and can throttle traffic between the host and the virtual switch,
reducing performance. To resolve this issue, configure all SR-IOV enabled ports
for VLAN tagging. This configuration allows unexpected, and potentially
malicious, frames to be dropped.
Overview
--------
This driver supports kernel versions 2.6.x and newer.
Driver information can be obtained using ethtool, lspci, and ifconfig.
Instructions on updating ethtool can be found in the section Additional
Configurations later in this document.
This driver is only supported as a loadable module at this time. Intel is not
supplying patches against the kernel source to allow for static linking of the
drivers.
For questions related to hardware requirements, refer to the documentation
supplied with your Intel adapter. All hardware requirements listed apply to use
with Linux.
This driver supports kernel versions 2.6.x and newer.
(54)
note:
kit(I forgot my gym kit) economical heritage(inheritance) concise(Burton's text is concise and informative)
coherent overstate(exaggerate) compel dominate(dominate Europe,~the best-seller lists
It's one of the biggest buildings in this area, and it really dominates this whole place.) turnover(annual ~ is around ,staff ~)
journal impulse(Sean's a fast thinker, and he acts on impulse,pulse)
engagement(He had an engagement at a restaurant in Greek Street at eight.appointment) beam
withstand(If something or someone withstands a force or action, they survive it or do not give in to it.~ chemical attack)
<incur,If you incur something unpleasant, it happens to you because of something you have done. ~ huge debts.> inflict
overlap setback(n,a setback for peace process,feedback) defiance derive
<derive river> dubious(almost equal each other, ~ about his motive, Skeptical,be suspicious of/ be doubtful about)
assumption forge(fabricate) spectrum <contend>(racism) consent(n,v He finally consented to go.) resent(v,sth/sb)
content(s) expectation(~ of parents) inferior<>(prefer(Does he prefer a particular sort of music?) subordinate)
rather(adv,I'd rather have an apple)
<frequency> conform momentum(This campaign is really gaining momentum.) versatile(~ athletes,computer)
criterion(The most important criterion for entry is that applicants must design and make their own work.)
displace(substitute) exempt immune(immune to the disease,
If you are immune to something that happens or is done, you are not affected by it.) susceptible
[vocal](~ organ,very vocal in his criticism of the government's policy)
afflict<afflicted by pain, illness, or disaster> inflict incur
endanger<To endanger something or someone means to put them in a situation where they might be harmed or destroyed completely.>
distinctive(~ odour)<distinction,There are obvious distinctions between the two wine-making areas.
Lewis emerges as a composer of distinction>
predecessor(ancestor pioneer) sparkle<>
saturate(be ~ed with oil,If people or things saturate a place or object,
they fill it completely so that no more can be added.
As the domestic market becomes saturated, firms begin to export the product.
) overwhelm<overwhelm the weakened enemy.> medium<>
Adapter teaming is implemented using the native Linux Channel bonding module.
This is included in supported Linux kernels. Channel Bonding documentation can
be found in the Linux kernel source:
/documentation/networking/bonding.txt
The driver information previously displayed in the /proc file system is not
supported in this release.
NOTE: Devices based on the Intel(R) Ethernet Connection X552 and Intel(R)
Ethernet Connection X553 do not support the following features:
* Energy Efficient Ethernet (EEE)
* Intel PROSet for Windows Device Manager
* Intel ANS teams or VLANs (LBFO is supported)
* Fibre Channel over Ethernet (FCoE)
* Data Center Bridging (DCB)
* IPSec Offloading
* MACSec Offloading
In addition, SFP+ devices based on the Intel(R) Ethernet Connection X552 and
Intel(R) Ethernet Connection X553 do not support the following features:
* Speed and duplex auto-negotiation.
* Wake on LAN
* 1000BASE-T SFP Modules
Identifying Your Adapter
------------------------
The driver in this release is compatible with devices based on the following:
* Intel(R) Ethernet Controller 82598
* Intel(R) Ethernet Controller 82599
* Intel(R) Ethernet Controller X540
* Intel(R) Ethernet Controller x550
* Intel(R) Ethernet Controller X552
* Intel(R) Ethernet Controller X553
For information on how to identify your adapter, and for the latest Intel
network drivers, refer to the Intel Support website:
http://www.intel.com/support
SFP+ Devices with Pluggable Optics
----------------------------------
82599-BASED ADAPTERS
--------------------
NOTES:
- If your 82599-based Intel(R) Network Adapter came with Intel optics or is an
Intel(R) Ethernet Server Adapter X520-2, then it only supports Intel optics
and/or the direct attach cables listed below.
(41)
note:
overflow overcome authorize
appease(If you try to appease someone, you try to stop them from being angry by giving them what they want.)
<reassure,If you reassure someone, you say or do things to make them stop worrying about something.
I tried to reassure her, 'Don't worry about it.'>
urge transcend transfer(v.n, technology transfer) disregard(~ the advice of his executives)
transmit(The game was transmitted live in Spain and Italy,~ disease)
juror(A juror is a member of a jury.)
purchase timid(tame rabbit) endow(with) signify(Two jurors signified their dissent) condemn(denounce,~ the regime)
confuse(~ with) inherent
overseas(~ visitors) <definitive>(~ answer\book) <definite(firm and clear, and unlikely to be changed.~ answer
proof improvement)>
contribute impair incidentally(~,why have you come) foster(adj,Little Jack was placed with foster parents...,v,sb,sth,
To foster something such as an activity or idea means to help it to develop.) intuition(tuition)
retain(The interior(n,adj) of the shop still retains a nineteenth-century atmosphere...) concern(v.n expressed concern about)
adolescent <refrain>(~ from ,refrained from making any comment)
restrain(~ sb from doing,restrain sb zhu zhi fa sheng) dazzle
constrain(~ed by family commitments,xian zhi fa sheng)
hoist bachelor revenge(retort<>, accused her of trying to revenge herself on her former lover,
take revenge on the 14-year-old)
avenge (avenging his daughter's death)
barrel prohibit inhibit(~ digestion) extract
proximity[prɒkˈsɪməti]<Proximity to a place or person is nearness to that place or person.
> kidnap prospect considerate
significance(Ideas about the social significance of religion have changed over time...) contrasting
- When 82599-based SFP+ devices are connected back to back, they should be
set to the same Speed setting via ethtool. Results may vary if you mix
speed settings.
Supplier Type Part Numbers
-------- ---- ------------
SR Modules
Intel DUAL RATE 1G/10G SFP+ SR (bailed) FTLX8571D3BCV-IT
Intel DUAL RATE 1G/10G SFP+ SR (bailed) FTLX8571D3BCV-IT
Intel DUAL RATE 1G/10G SFP+ SR (bailed) AFBR-703SDZ-IN2
Intel DUAL RATE 1G/10G SFP+ SR (bailed) AFBR-703SDDZ-IN1
Intel DUAL RATE 1G/10G SFP+ SR (bailed) AFBR-703SDDZ-IN1
LR Modules
Intel DUAL RATE 1G/10G SFP+ LR (bailed) FTLX1471D3BCV-IT
Intel DUAL RATE 1G/10G SFP+ LR (bailed) AFCT-701SDZ-IN2
Intel DUAL RATE 1G/10G SFP+ LR (bailed) AFCT-701SDDZ-IN1
LR Modules
Intel DUAL RATE 1G/10G SFP+ LR (bailed) FTLX1471D3BCV-IT
Intel DUAL RATE 1G/10G SFP+ LR (bailed) AFCT-701SDZ-IN2
Intel DUAL RATE 1G/10G SFP+ LR (bailed) AFCT-701SDDZ-IN1
The following is a list of 3rd party SFP+ modules that have received some
testing. Not all modules are applicable to all devices.
Intel DUAL RATE 1G/10G SFP+ SR (bailed) AFBR-703SDZ-IN2
Intel DUAL RATE 1G/10G SFP+ SR (bailed) AFBR-703SDDZ-IN1
LR Modules
Intel DUAL RATE 1G/10G SFP+ LR (bailed) FTLX1471D3BCV-IT
Intel DUAL RATE 1G/10G SFP+ LR (bailed) AFCT-701SDZ-IN2
Intel DUAL RATE 1G/10G SFP+ LR (bailed) AFCT-701SDDZ-IN1
The following is a list of 3rd party SFP+ modules that have received some
testing. Not all modules are applicable to all devices.
note:
43
accuse prior(prior commitment,Prior to his Japan trip, he went to New York)
overwhelming(~ superiority) lure strand(a grey ~ of hairs) <?(precede(precede them from the room) proceed)
defendant administer(v,The plan calls for the UN to administer the country until elections can be held.
If a doctor or a nurse administers a drug, they give it to a patient.
) essence(a few drops of vanilla essence)
<dividend(The first quarter dividend)> flexible <ultimate> betray
characterize(Both companies have characterized the relationship as friendly,This election campaign has been characterized by violence...)
scramble(If you scramble over rocks or up a hill,~ for a basketball) surge<n,v,recent ~ in inflation>
reveal<To reveal something means to make people aware of it.>conceal
conscious(Someone who is conscious is awake rather than asleep or unconscious.,be ~/aware of )
reassure<If you reassure someone, you say or do things to make them stop worrying about something.>
designate(set aside for that purpose) console
duplicate concerning (prep.n It is particularly concerning that) hierachy embody shove considering(considering the situation in June)
mingle<cheers and applause mingled,mingle with other people>
portray paralyse(~ed by ,parachute) refund hamper(v,n,The bad weather hampered rescue operations, a picnic hamper)
<permeate Bias against women permeates every level of the judicial system>
exquisite fancy installment lawsuit(culminate in a ~ against government) cue(v,n,waiting for their cues)<sue,sue sb for sth>
endeavor(made an [earnest](~ woman) endeavor to persuade her)
infringe<infringes a law or a rule,If something infringes people's rights,
it interferes with these rights and does not allow people the freedom they are entitled to.>
spray
Supplier Type Part Numbers -------- ---- ------------
Finisar SFP+ SR bailed, 10g single
rate FTLX8571D3BCL
Avago SFP+ SR bailed, 10g single rate AFBR-700SDZ
Avago SFP+ SR bailed, 10g single rate AFBR-700SDZ
Finisar SFP+ LR bailed, 10g single
rate FTLX1471D3BCL
Finisar DUAL RATE 1G/10G SFP+ SR (No
Bail) FTLX8571D3QCV-IT
Avago DUAL RATE 1G/10G SFP+ SR (No Bail) AFBR-703SDZ-IN1
Finisar DUAL RATE 1G/10G SFP+ LR (No
Bail) FTLX1471D3QCV-IT
Avago DUAL RATE 1G/10G SFP+ LR (No Bail) AFCT-701SDZ-IN1
Finisar SFP+ LR bailed, 10g single
rate FTLX1471D3BCL
Finisar DUAL RATE 1G/10G SFP+ SR (No
Bail) FTLX8571D3QCV-IT
Avago DUAL RATE 1G/10G SFP+ SR (No Bail) AFBR-703SDZ-IN1
Finisar DUAL RATE 1G/10G SFP+ LR (No
Bail) FTLX1471D3QCV-IT
Avago DUAL RATE 1G/10G SFP+ LR (No Bail) AFCT-701SDZ-IN1
Finisar 1000BASE-T
SFP FCLF8522P2BTL
Avago 1000BASE-T ABCU-5710RZ
HP 1000BASE-SX SFP 453153-001
Finisar 1000BASE-T
SFP FCLF8522P2BTL
Avago 1000BASE-T ABCU-5710RZ
HP 1000BASE-SX SFP 453153-001
note:
100
inaugurate(The new President will be inaugurated on January 20.If you inaugurate a new system or service, you start it.)
cherish(These people cherish their independence and sovereignty[ˈsɒvrənti].)
medium mediate(vi,vt,If someone mediates between two groups of people, or mediates an agreement between them,
they try to settle an argument between them by talking to both groups and trying to find things that they can both agree to.)
mediator[ˈmi:dieɪtə(r)] instantaneous(Airbags inflate instantaneously on impact)
<intrigue,n, political ~,v,If something, especially something strange, intrigues you, it interests you and you want to know more
about it.> slump<Net profits slumped by 41%,~ into a chair>(slash ~prices)
regulate regular(~ exercise) verge(The country was on the verge of becoming prosperous and successful...
<fringe(n,adj), leather fringes,a small ~ group>)
baffle<~ experts>(afflict,If you are afflicted by pain, illness, or disaster, it affects you badly and makes you suffer.
)
slack(far(much) too ~) intermittent<~ rain>
stubborn(Someone who is stubborn or who behaves in a stubborn way is determined to do what they want and
is very unwilling to change their mind.He is a stubborn character)
plead(~ sb to do,Mr Burke, pleading poverty(yi shen mo wei li you), changed his mind)
(appeal to sb for sth,appeal sth)
ascribe(If you ascribe an event or condition to a particular cause, you say or consider that it was caused by that thing.
)
reception(wait at the ~ for me.,Adjust the <aerial>'s position and direction for the best reception.)
blunt(be ~ about his personal life,~ knife)
clutch(A clutch of people or things is a small group of them.
Finisar DUAL RATE 1G/10G SFP+ SR (No
Bail) FTLX8571D3QCV-IT
Avago DUAL RATE 1G/10G SFP+ SR (No Bail) AFBR-703SDZ-IN1
Finisar DUAL RATE 1G/10G SFP+ LR (No
Bail) FTLX1471D3QCV-IT
Avago DUAL RATE 1G/10G SFP+ LR (No Bail) AFCT-701SDZ-IN1
Finisar SFP+ LR bailed, 10g single
rate FTLX1471D3BCL
Finisar DUAL RATE 1G/10G SFP+ SR (No
Bail) FTLX8571D3QCV-IT
Avago DUAL RATE 1G/10G SFP+ SR (No Bail) AFBR-703SDZ-IN1
Finisar DUAL RATE 1G/10G SFP+ LR (No
Bail) FTLX1471D3QCV-IT
Avago DUAL RATE 1G/10G SFP+ LR (No Bail) AFCT-701SDZ-IN1
Finisar 1000BASE-T
SFP FCLF8522P2BTL
Avago 1000BASE-T ABCU-5710RZ
HP 1000BASE-SX SFP 453153-001
Finisar 1000BASE-T
SFP FCLF8522P2BTL
Avago 1000BASE-T ABCU-5710RZ
HP 1000BASE-SX SFP 453153-001
note:
If you clutch at something or clutch something, you hold it tightly, usually because you are afraid(adj) or anxious.)
articulate(v,~ your ideas,adj ~ woman,If you describe someone as articulate, you mean that they are able to express
their thoughts and ideas easily and well.)
eloquent(make an ~ speech,Speech or writing that is eloquent is well expressed and effective in persuading people.)
intricate(You use intricate to describe something that has many small parts or details.intricately carved sculptures.)
perpetual(the creation of a perpetual union) inject(His son was injected with strong drugs.,~ money into)
embed addict(TV drug ~) decisive stroke
illuminate(They use games and drawings to illuminate their subject)
(luminous,Something that is luminous shines or glows in the dark.~ intensity) diminish
confidential(She accused them of leaking confidential information about her private life...)
rash(n,adj,It would be rash to rely on such evidence.)
arbitrary assault(n,v,The gang[gangster] assaulted him with iron bars.)
intensity(Speech is made up of sound waves that vary in frequency and intensity.)
rebound( Mia realised her trick had rebounded on her.,n,If something rebounds from a solid surface,it bounces back from it.)
decree(n,A decree is a judgment made by a law court,In July he issued a decree ordering) spice(...herbs and spices.)
extinct(It is 250 years since the wolf became extinct in Britain,If a particular kind of worker,
way of life, or type of activity is extinct, it no longer exists, because of changes in society.) expire(his visitor's visa expired.)
fragile(brittle)
outdated(outdated and inefficient factories,If you describe something as outdated, you mean that you think it is old-fashioned and no longer useful or relevant to modern life.)
auxiliary(n,adj,an auxiliary motor,subsidiary n,British Asia Airways, a subsidiary of British Airways,adj, play a ~ role)
subsidy(a massive demonstration against farm subsidy cuts)
pathetic(a pathetic little dog with a curly tail
(wretched,You describe someone as wretched when you feel sorry for them because they are in an unpleasant situation or
have suffered unpleasant experiences.)
sympathetic(be ~ to,~ to the problems of adult students,~ to a proposal or action)
sympathize(~ with you for loss,~ with a proposal)
sympathy(I have some sympathy with this point of view.We expressed our sympathy for her loss)
discourage(~ sb)pirate(Pirate copies of the video are already said to be in Britain.)
<adverse[ˈædvɜ:s]](Adverse decisions, conditions, or effects are unfavourable to you.unfavorable,In spite of the unfavorable weather)>
phrase illuminate<luminous> alien
recreation(Recreation consists of things that you do in your spare time to relax.
A recreation of something is the process of making it exist or seem to exist again in a different time or place.)
82599-based adapters support all passive and active limiting direct attach
cables that comply with SFF-8431 v4.1 and SFF-8472 v10.4 specifications.
Laser turns off for SFP+ when ifconfig ethX down
------------------------------------------------
"ifconfig ethX down" turns off the laser for 82599-based SFP+ fiber adapters.
"ifconfig ethX up" turns on the laser.
Alternatively, you can use "ip link set [down/up] dev ethX" to turn the
laser off and on.
82599-based QSFP+ Adapters
--------------------------
NOTES:
note:
following the previous note
simplicity(the [apparent] ~ of his plot is deceptive) <stifle(Regulations on children stifled creativity.)>
bureaucracy(State bureaucracies can tend to [stifle] enterprise and initiative) invaluable responsibly
bureaucrat bureaucratism staple(~ food of)
shortage(n,deficient, a diet ~ in vitamin B,~ landing system)
tangle(n A tangle of wires is all that remains of the computer and phone systems... ,v get ~ed twisted together in an untidy way)
(mingle) tidy(adj,v,They were tidying up the remains of their picnic.)
prolong(a prolonged conversation) <distort culminate litter,If you see litter in the corridor, pick it up...>
underlying(understand its underlying causes) stereotype
rigorous(~ tests,be ~ in doing sth)
manipulate(She was unable, for once, to control and manipulate events.)
stun(a blow on the head stuns you) <lounge[laʊndʒ]> embark(~ on a ship ,He's embarking on a new career as a writer...)
notorious(well-known for something bad,the company is notoriously inefficient.)
segregate(To segregate two groups of people or things means to keep them physically apart(adv) from each other.)
Police segregated the two rival(adj,n) camps of protesters
isolate(insulate segregate seperate(v,adj) partition(n,v))
casualty(A casualty is a person who is injured or killed in a war or in an accident.causing many casualties,one of the greatest ~ies of )
<intent n,adj be ~ on doing,A person's intent is their intention to do something.intent on arms control,intention to do ,intent on sth>
If you are intent on doing something, you are eager and determined to do it.
county outrage<n,v,If you are outraged by something, it makes you extremely shocked and angry.>
rage(If you rage about something, you speak or think very angrily about it,n)
integral(<Rituals> and festivals form an integral part of every human society...)
foundation(the National Foundation for Educational Research. the foundation of my life)
retrieve(~ his jacket(jet),retrieve information from a computer)
confine(v,n,within the confines of the abandoned factory) considering(considering the situation)
criticism(under the strong ~ on ) succession(he take a ~ of jobs) successive <impart> <passive(active) negative positive>
<comply with ,~ the ceasefire> <<agony Agony is great physical or mental pain.>>
NOTES:
- Intel(r) Ethernet Network Adapters that support removable optical modules
only support their original module type (for example, the Intel(R) 10 Gigabit
SR Dual Port Express Module only supports SR optical modules). If you plug
in a different type of module, the driver will not load.
- Hot Swapping/hot plugging optical modules is not supported.
- Only single speed, 10 gigabit modules are supported.
- LAN on Motherboard (LOMs) may support DA, SR, or LR modules. Other module
types are not supported. Please see your system documentation for details.
- If your 82599-based Intel(R) Network Adapter came with Intel optics, it
only supports Intel optics.
- 82599-based QSFP+ adapters only support 4x10 Gbps connections.
1x40 Gbps connections are not supported. QSFP+ link partners must be
configured for 4x10 Gbps.
The link speed must be configured to either 10 Gbps or 1 Gbps to match the
link partners speed capabilities. Incorrect speed configurations will result
in failure to link.
NOTES:
only supports Intel optics.
- 82599-based QSFP+ adapters only support 4x10 Gbps connections.
1x40 Gbps connections are not supported. QSFP+ link partners must be
configured for 4x10 Gbps.
The link speed must be configured to either 10 Gbps or 1 Gbps to match the
link partners speed capabilities. Incorrect speed configurations will result
in failure to link.
NOTES:
- Intel(r) Ethernet Network Adapters that support removable optical modules
only support their original module type (for example, the Intel(R) 10 Gigabit
SR Dual Port Express Module only supports SR optical modules). If you plug
in a different type of module, the driver will not load.
- Hot Swapping/hot plugging optical modules is not supported.
- Only single speed, 10 gigabit modules are supported.
- LAN on Motherboard (LOMs) may support DA, SR, or LR modules. Other module
types are not supported. Please see your system documentation for details.
note:
60
coalition(~ government) intelligible <intelligence> affiliate(n,v. to with,an organization affiliates to or with another larger organization) plot(contrive)
convict conviction (he will appeal against his ~, firm ~ ,said with ~)
caution(n,v) deteriorate basement
contention<support his contention ,If something is a cause of contention, it is a cause of disagreement or argument,contend,~ with sb for sth such as power>
inhibit nominate compliment(n,v) complaint collaboration<substantial ~> alternate(adj,~ days ,vt,you ~ two things,you keep using one then the other, vi,when one thing alternates with another,the first regularly occurs after the other) elevate miniature plea(make emotional ~ for help in solving the killing )
prompt flutter<> ridge entitle ignorant(cognitive<~ psychology>) <e-licit> dispute budget immune(adj,to/from) eligible
doom petition conform(comply) clearance evoke patrol(patriot) deteriorate(vt,vi)aggravate(vt,~ situation) tilt(If you tilt an object or if it tilts) allergic disaster substantial(a ~ number of )
imagine(~ sth,envisage fancy doing)
premise(there is a kitchen on the premises.) notify surpass<> recur(~ frequently) incur(incur something unpleasant,~ huge debts)retention<support the ~ of sth> skeleton(~ staff)
coverage(insurance ~,Now a special TV network gives live coverage of most races)
necessitate(makes it necessary) <haunt,~ sb sp>(hunt,~ for clue,~ a criminal) evacuate(sb,sp,If people evacuate a place)
convene(If someone convenes a meeting or conference,they arrange for it to take place. ) provocative<~ speechs>(provoke,~ sb,~ a shocked reaction) specifications
- Intel(R) Ethernet Converged Network Adapter X520-Q1 only supports the
optics and direct attach cables listed below.
Supplier Type Part Numbers
-------- ---- ------------
Intel DUAL RATE 1G/10G QSFP+ SRL (bailed) E10GQSFPSR
82599-based QSFP+ adapters support all passive and active limiting QSFP+
direct attach cables that comply with SFF-8436 v4.1 specifications.
82598-BASED ADAPTERS
--------------------
NOTES:
- Intel(r) Ethernet Network Adapters that support removable optical modules
only support their original module type (for example, the Intel(R) 10 Gigabit
SR Dual Port Express Module only supports SR optical modules). If you plug
in a different type of module, the driver will not load.
- Hot Swapping/hot plugging optical modules is not supported.
- Only single speed, 10 gigabit modules are supported.
- LAN on Motherboard (LOMs) may support DA, SR, or LR modules. Other module
types are not supported. Please see your system documentation for details.
The following is a list of SFP+ modules and direct attach cables that have
received some testing. Not all modules are applicable to all devices.
Supplier Type Part Numbers
-------- ---- ------------
Finisar SFP+ SR bailed, 10g single
rate FTLX8571D3BCL
Avago SFP+ SR bailed, 10g single rate AFBR-700SDZ
Finisar SFP+ LR bailed, 10g single
rate FTLX1471D3BCL
82598-based adapters support all passive direct attach cables that comply with
SFF-8431 v4.1 and SFF-8472 v10.4 specifications. Active direct attach cables
are not supported.
Third party optic modules and cables referred to above are listed only for the
purpose of highlighting third party specifications and potential
compatibility, and are not recommendations or endorsements or sponsorship of
any third party's product by Intel. Intel is not endorsing or promoting
products made by any third party and the third party reference is provided
only to share information regarding certain optic modules and cables with the
above specifications. There may be other manufacturers or suppliers, producing
or supplying optic modules and cables with similar or matching descriptions.
Customers must use their own discretion and diligence to purchase optic
modules and cables from any third party of their choice. Customers are solely
responsible for assessing the suitability of the product and/or devices and
for the selection of the vendor for purchasing any product. THE OPTIC MODULES
AND CABLES REFERRED TO ABOVE ARE NOT WARRANTED OR SUPPORTED BY INTEL. INTEL
ASSUMES NO LIABILITY WHATSOEVER, AND INTEL DISCLAIMS ANY EXPRESS OR IMPLIED
WARRANTY, RELATING TO SALE AND/OR USE OF SUCH THIRD PARTY PRODUCTS OR
SELECTION OF VENDOR BY CUSTOMERS.
note:
75
publicity(Much advance(adj) publicity was given to the talks,generated enormous publicity in Brazil)
dis-per-se<disperse,vi,vt The oil appeared to be dispersing> expire(v) dropout reign(vi,a person reigns in a situation or area)(rein,give free ~ to sb,keep a tight ~ on sb)
slash(slash spending on major military projects)<lash> <transmit,The game was transmitted live in Spain and Italy, [media transit] transit,~ of goods,~system>
segregate<segment-re-gate>
conceive(sth,of sth,I just can't even conceive of that quantity of money)
conception(My conception of a garden was based on gardens I had visited in England) assess(assess the suitability) access
radical offspring elastic contaminate
cater(for/to,If a person or company caters for an occasion such as a wedding or a party, they provide food and drink for all the people there.,cater for receptions of up to 300 people,In British English, to cater for a group of people means to provide all the things that they need or want)
intervene(If you intervene in a situation, you become involved in it and try to change it.)
<dis-patch,dispatch someone to a place,dispatch a message,letter to sb>
dispense(sb/machine ~ ,the machine ~ the product,If someone dispenses something that they own or control, they give or provide it to a number of people.)
<disperse,When something disperses or when you disperse it, it spreads over a wide area.> fac-et(every facet of the Indian life,the facets of a diamond or other precious stone)
manifest<adj,v manifest failure of the policies,He manifested a [pleasing] personality on stage>
formulate(~ his ideas,formulated his plan for escape) linger(sth or sb ~,The scent of her perfume lingered [on] in the room) absurd reciprocal<> analogy<>
pre-sume(I presume you're here on business) <susceptible>vulnerable(vulnerable members of our society) minor commonplace
prone<For all her experience, she was still prone to nerves,To be prone to something, usually something bad, means to have a tendency to be affected by it or to do it.>
correlate<obesity> mutual stimulate(stimulus)
<moderate,~ domacrat,You use moderate to describe something that is neither large nor small in amount or degree.While a moderate amount of stress can be beneficial, too much stress can exhaust you>
shuttle enrich extravagant(luxury)
sentiment<public ~ suddenly turned to Anti-America,A sentiment that people have is an attitude which is based on their thoughts and feelings.>
<commend, praise them formally>
ample(If there is an ample amount of something, there is enough of it and usually some extra.)
<amplify,amplifier magnify> discrete <dismay,n.v,If you are dismayed by something, it makes you feel afraid, worried, or sad.>
degrade
ease(n,with ~,If you do something with ease, you do it easily, without difficulty or effort. v ,tension has eased,If something unpleasant eases or if you ease it, it is reduced in degree, speed, or intensity.)
premium<insurance ~>
crude(~ sth/sb,If you describe an object that someone has made as crude, you mean that it has been made in a very simple way or from very simple parts.)
<multitude, a ~ of,A multitude of things or people is a very large number of them.>
monopoly traverse avert vacation(The French get five to six weeks' vacation a year.)
vocation occupation(by ~)
strive<to do,for sth> vacant(a ~ seat) minimize<~ a risk,~ the window> rectify(~ something wrong)
<objective,main ~ ,~ evidence> <scrutiny,under media ~>
humanity(students majoring in the humanities)
retrospect(in ~,In retrospect, I wish that I had thought about alternative courses of action)
warrant(n.v warrant an investigation,If something warrants a particular action, it makes the action seem necessary or appropriate for the circumstances;a warrant for his arrest;If you say that there is no warrant for something, you mean that there is no good reason to [justify] it.)If you warrant that something is true or will happen, you say officially that it is true, or guarantee that it will happen.
warranty(a twelve month warranty)
leisure(n,phrase ,do sth at ~,fill my ~ time,if someone does something at leisure or at their leisure, they enjoy themselves by doing it when they want to, without hurrying. Leisure is the time when you are not working and you can relax and do things that you enjoy.)
<imperative n.adj it is ~ that> ver-bal<abuse,n.v absue of>
preach(preach peace and tolerance to his people)
deprive of(If you deprive someone of something that they want or need, you take it away from them, or you prevent them from having it.)
(de-rive),derive pleasure from helping others, If you derive something such as pleasure or benefit from a person or from something, you get it from them.
If you say that something such as a word or feeling derives or is derived from something else, you mean that it comes from that thing.
Anna's strength is derived from her parents and her sisters
whirl(n,vi,vt ~ round,If something or someone whirls around or if you whirl them around, they move around or turn around very quickly.) scale
================================================================================
Building and Installation
-------------------------
To build a binary RPM* package of this driver, run 'rpmbuild -tb
ixgbe-<x.x.x>.tar.gz', where <x.x.x> is the version number for the driver tar
file.
Note: For the build to work properly, the currently running kernel MUST match
the version and configuration of the installed kernel sources. If you have just
recompiled the kernel reboot the system before building.
Note: RPM functionality has only been tested in Red Hat distributions.
_lbank_line_
1. Move the base driver tar file to the directory of your choice. For
example, use '/home/username/ixgbe' or '/usr/local/src/ixgbe'.
2. Untar/unzip the archive, where <x.x.x> is the version number for the
driver tar file:
tar zxf ixgbe-<x.x.x>.tar.gz
3. Change to the driver src directory, where <x.x.x> is the version number
for the driver tar:
cd ixgbe-<x.x.x>/src/
4. Compile the driver module:
# make install
The binary will be installed as:
/lib/modules/<KERNEL
VERSION>/updates/drivers/net/ethernet/intel/ixgbe/ixgbe.ko
note:
70
industrialize <incline(v,n ~ to the view,a steep ~) >
<innovative,sth/sb,Something that is innovative is new and original.>(ingenious,sth,a truly ~ invention,Something that is ingenious is very clever and involves new ideas, methods, or equipment.) ascertain<as-certain,ascertain the truth about sth>
<adverse,have no adverse effect on>(unfavorable)
generosity(If you refer to someone's generosity, you mean that they are generous, especially in doing or giving more than is usual or expected.)
chorus(A chorus is a large group of people who sing together.When there is a chorus of criticism, disapproval, or praise, that attitude is expressed by a lot of people at the same time.)
multiply
<legitimate,adj,Something that is legitimate is acceptable according to the law,That's a perfectly legitimate fear.
If you say that something such as a feeling or claim is legitimate, you think that it is reasonable and justified.>
legal(take ~ action,Legal is used to describe things that relate to the law.An action or situation that is legal is allowed or required by law.What I did was perfectly legal.)
tolerant(sb/sth is ~ of) journalism(He began a career in journalism)
layoff(resulting in the layoffs) activate
certify(if the president certified that,
They wanted to get certified as divers,If someone [is certified as] a particular kind of worker, they are given a certificate stating that they have successfully completed a course of training in their profession.)
stale moreover
forum descend destined lease(n,v, a 10 year lease,leased an apartment)(rent) assume cooperative
preview <interval(An interval between two events or dates is the period of time between them.An interval during a film, concert, show, or game is a short break between two of the parts.The ferry service has restarted after an interval of 12 years)
opposition,The government is facing a new wave of opposition in the form of a student strike>
occupy cigarette(cigar) polar quota subsequent handle decieve
<deception>
skim(skim the page quickly,If you skim a piece of writing, you [read through] it quickly.If something skims a surface, it moves quickly along just above it.) urban spoil deem <deer> <privilege> tick electrical
<inflict,Rebels say they have inflicted heavy casualties on government forces> preside(~ over a meeting) parade snack interfer(with)
The install location listed above is the default location. This may differ
for various Linux distributions.
5. Load the module using the modprobe command:
modprobe <ixgbe> [parameter=port1_value,port2_value]
Make sure that any older ixgbe drivers are removed from the kernel before
loading the new module:
rmmod ixgbe; modprobe ixgbe
6. Assign an IP address to the interface by entering the following,
where ethX is the interface name that was shown in dmesg after modprobe:
ip address add <IP_address>/<netmask bits> dev ethX
7. Verify that the interface works. Enter the following, where IP_address
is the IP address for another machine on the same subnet as the interface
that is being tested:
ping <IP_address>
Note: For certain distributions like (but not limited to) RedHat Enterprise
Linux 7 and Ubuntu, once the driver is installed the initrd/initramfs file may
need to be updated to prevent the OS loading old versions of the ixgbe driver.
The dracut utility may be used on RedHat distributions:
# dracut --force
For Ubuntu:
# update-initramfs -u
================================================================================
Command Line Parameters
-----------------------
If the driver is built as a module, the following optional parameters are used
by entering them on the command line with the modprobe command using this
syntax:
modprobe ixgbe [<option>=<VAL1>,<VAL2>,...]
There needs to be a <VAL#> for each network port in the system supported by
this driver. The values will be applied to each instance, in function order.
For example:
modprobe ixgbe InterruptThrottleRate=16000,16000
In this case, there are two network ports supported by ixgbe in the system.
The default value for each parameter is generally the recommended setting,
unless otherwise noted.
note:
38
commodity implement(n useful ~,v implement a new system) acquaint peer(peel peep) nourish
adequate victim display secretary
trigger adopt abort proclaim(proclaim their independence)(declare)
proclamation(A proclamation is a public announcement about something important,
often about something of national importance.)
invaluable reckless(sb is ~) <alleviate> relieve
react poll(n,Polls shows that,v If you are polled on something) majority chill
abnormal novel <novelty,a desire for novelty> supreme probe(n,v ~ into sth,probed into his background)
amplify simplicity pretend furnish <transient> evolve loan lest(conj)
profitable(Drug manufacturing is the most profitable business in America)
advisable<sensible>
NOTE: For more information about the command line parameters, see the
application note at: http://www.intel.com/design/network/applnots/ap450.htm.
NOTE: A descriptor describes a data buffer and attributes related to the data
buffer. This information is accessed by the hardware.
RSS
---
Valid Range: 0-16
0 = Assign up to the lesser value of the number of CPUs or the number of queues
X = Assign X queues, where X is less than or equal to the maximum number of
queues (16 queues).
RSS also effects the number of transmit queues allocated on 2.6.23 and
newer kernels with CONFIG_NETDEVICES_MULTIQUEUE set in the kernel .config file.
CONFIG_NETDEVICES_MULTIQUEUE only exists from 2.6.23 to 2.6.26. Other options
enable multiqueue in 2.6.27 and newer kernels.
Multiqueue
----------
Valid Range:
0, 1
0 = Disables Multiple Queue support
1 = Enabled Multiple Queue support (a prerequisite for RSS)
Direct Cache Access (DCA)
-------------------------
Valid Range: 0, 1
0 = Disables DCA support in the driver
1 = Enables DCA support in the driver
If the driver is enabled for DCA, this parameter allows load-time control of
the feature.
Note: DCA is not supported on X550-based adapters.
note:
73
epidemic(n,adj) trivial(~ details) personality object(to) <contraversy>
Rank(n,v) <prestige> prestigious tier monetary reference referee <consecutive> continual
continuous deport patrol cooperation(collaboration) elevate <disrupt> ridge tilt thermal
necessitate hover patriot ingredient(component) ignorant impart budget petition miniature
skeleton(bone) recognition plea magnify(amplify) retention premise reside <eligible>
congress(parliament) nominate caution(nExtreme caution should be exercised,v) dart dash rush rash convene
<elicit,~ further information> queer(eccentric) nourish
obey(comply with) solo consistent access conviction derail aggravate(vt) deteriorate(vt,vi))
envisage evacuate prompt <haunt> basement allergic disaster doom gloom(deepening ~ in economy)
clearance(rubbish ~ operation) entitle versus
IntMode
-------
Valid Range: 0-2 (0 = Legacy Int, 1 = MSI and 2 = MSI-X)
IntMode controls allow load time control over the type of interrupt
registered for by the driver. MSI-X is required for multiple queue
support, and some kernels and combinations of kernel .config options
will force a lower level of interrupt support.
'cat /proc/interrupts' will show different values for each type of interrupt.
InterruptThrottleRate
---------------------
Valid Range:
0=off
1=dynamic
<min_ITR>-<max_ITR>
Interrupt Throttle Rate controls the number of interrupts each interrupt
vector can generate per second. Increasing ITR lowers latency at the cost of
increased CPU utilization, though it may help throughput in some circumstances.
0 = Setting InterruptThrottleRate to 0 turns off any interrupt moderation
and may improve small packet latency. However, this is generally not
suitable for bulk throughput traffic due to the increased CPU utilization
of the higher interrupt rate.
NOTES:
- On 82599, and X540, and X550-based adapters, disabling InterruptThrottleRate
will also result in the driver disabling HW RSC.
- On 82598-based adapters, disabling InterruptThrottleRate will also
result in disabling LRO (Large Receive Offloads).
1 = Setting InterruptThrottleRate to Dynamic mode attempts to moderate
interrupts per vector while maintaining very low latency. This can
sometimes cause extra CPU utilization. If planning on deploying ixgbe
in a latency sensitive environment, this parameter should be considered.
<min_ITR>-<max_ITR> = 956-488281
Setting InterruptThrottleRate to a value greater or equal to <min_ITR>
will program the adapter to send at most that many interrupts
per second, even if more packets have come in. This reduces interrupt load
on the system and can lower CPU utilization under heavy load, but will
increase latency as packets are not processed as quickly.
LLI (Low Latency Interrupts)
----------------------------
LLI allows for immediate generation of an interrupt upon processing receive
packets that match certain criteria as set by the parameters described below.
LLI parameters are not enabled when Legacy interrupts are used. You must be
using MSI or MSI-X (see cat /proc/interrupts) to successfully use LLI.
Note: LLI is not supported on X550-based adapters.
LLIPort
-------
Valid Range: 0-65535
LLI is configured with the LLIPort command-line parameter, which specifies
which TCP port should generate Low Latency Interrupts.
For example, using LLIPort=80 would cause the board to generate an immediate
interrupt upon receipt of any packet sent to TCP port 80 on the local machine.
WARNING: Enabling LLI can result in an excessive number of interrupts/second
that may cause problems with the system and in some cases may cause a kernel
panic.
Note: LLI is not supported on X550-based adapters.
note:
40
<repel,Like poles repel, unlike poles attract,When an army repels an attack, they successfully fight and drive back soldiers from another army who have attacked them.>
duplicate shove flutter refund
hierarchy (tier,A hierarchy is a system of organizing people into different ranks or levels[abstract noun] of importance, for example in society or in a company.)
affiliate(n,v) slide spray (sprinkle)
portray(When an actor or actress portrays someone, he or she plays that person in a play or film. portrays provincial domestic life) depict(depicts a gloomy America) isolate(insulate segregate[segregate two groups of people or things]
separate(adj,v has a separate sitting-room))
exquisite(Something that is exquisite is extremely beautiful or pleasant, especially in a delicate way.)
lawsuit(The dispute culminated last week in a lawsuit against the government.)
summon(If you summon someone, you order them to come to you.,the courage)
intelligible permeate(Bias against women permeates every level of the judicial system)
prejudice(Prejudice is an unreasonable dislike of a particular group(adjective +measure word) of people or things, or a preference for one group of people or things over another. bias)
coverage(Now a special TV network gives live coverage of most races)
paralyse(if a person, place, or organization is paralysed by something, they become unable to act or function properly.)
function(If someone or something functions as a particular thing, they do the work or fulfil the purpose of that thing.)
properly(If someone behaves properly, they behave in a way that is considered acceptable and not rude.)
installment
embody <designate,designate him as E>
<limp,In recent years the newspaper had been limping along on limited resources...>
<Ivy, Ivy is an evergreen plant that grows up walls or along the ground.~ league> league spacious spatial temporali
considerate(I think he's the most charming, most considerate man I've ever known) charming
LLIPush
-------
Valid Range: 0-1
LLIPush can be set to be enabled or disabled (default). It is most effective
in an environment with many small transactions.
NOTE: Enabling LLIPush may allow a denial of service attack.
Note: LLI is not supported on X550-based adapters.
LLISize
-------
Valid Range: 0-1500
LLISize causes an immediate interrupt if the board receives a packet smaller
than the specified size.
Note: LLI is not supported on X550-based adapters.
LLIEType
--------
Valid Range: 0-0x8FFF
This parameter specifies the Low Latency Interrupt (LLI) Ethernet protocol type.
Note: LLI is not supported on X550-based adapters.
note:
41
immune(adj,to/from,If you are immune to something that happens or is done, you are not affected by it.Someone or something that is immune from a particular process or situation is able to escape it.)
debate(A debate is a discussion about a subject on which people have different views.)
<disputei,He disputed the allegations> foretell predict
<skeptical(about/of) Many skeptical progressives refuse to agree{active}
suspicious(~ actions)>{passive}
<endeavor(n,v),I shall endeavor to do my dut> motel bachelor undergraduate postgraduate Ph.D Candidate