Robust Real-Time Multiprocessor Interrupt Handling Motivated by Gpus

Total Page:16

File Type:pdf, Size:1020Kb

Robust Real-Time Multiprocessor Interrupt Handling Motivated by Gpus Robust Real-Time Multiprocessor Interrupt Handling Motivated by GPUs Glenn A. Elliott and James H. Anderson Department of Computer Science, University of North Carolina at Chapel Hill Abstract—Architectures in which multicore chips are Prior Work. GPUs have received serious consideration augmented with graphics processing units (GPUs) have in the real-time community only recently. Both theo- great potential in many domains in which computationally retical work ([9], [10]) on partitioning and scheduling intensive real-time workloads must be supported. How- ever, unlike standard CPUs, GPUs are treated as I/O algorithms and applied work ([11], [12], [13]) on quality- devices and require the use of interrupts to facilitate of-service techniques and improved responsiveness has communication with CPUs. Given their disruptive nature, been done. Outside the real-time community, others have interrupts must be dealt with carefully in real-time systems. proposed operating system designs where GPUs are With GPU-driven interrupts, such disruptiveness is further scheduled in much the same way as CPUs [14]. compounded by the closed-source nature of GPU drivers. In this paper, such problems are considered and a solution In our own work, we have investigated the challenges is presented in the form of an extension to LITMUSRT faced when augmenting multicore platforms with GPUs called klmirqd. The design of klmirqd targets systems that have non-real-time, throughput-oriented, closed- with multiple CPUs and GPUs. In such settings, interrupt- source device drivers [15]. These drivers exhibit prob- related issues arise that have not been previously addressed. lematic behaviors for real-time systems. For example, tasks non-preemptively execute on a GPU in first-in-first- 2 I. INTRODUCTION out order. Also, GPU access is arbitrated by non-real- time spinlocks that lack priority-inheritance mechanisms. Graphics processing units (GPUs) are capable of per- CPU time lost to spinning can be significant: GPU ac- forming parallel computations at rates orders of mag- cesses commonly take tens of milliseconds up to several nitude greater than traditional CPUs. Driven both by seconds [15]. Further, blocked tasks may experience this and by increased GPU programmability and single- unbounded priority inversions due to the lack of priority precision floating-point support, the use of GPUs to solve inheritance.3 non-graphical (general purpose) computational problems The primary solution we presented in [15] to address began gaining wide-spread popularity about ten years these issues is to treat a GPU as a shared resource, ago [1], [2], [3]. However, at that time, non-graphical protected by a real-time suspension-based semaphore. algorithms had to be mapped to graphics-specific lan- This removes the GPU driver from resource arbitration guages. GPU manufactures realized they could reach decisions and enables bounds on blocking time to be new markets by supporting general purpose computa- determined. We validated this approach in experiments tions on GPUs (GPGPU) and released flexible language on LITMUSRT [16], UNC’s real-time extension to Linux, extensions and runtime environments.1 Since the release and demonstrated that our methods reduced both CPU of these second-generation GPGPU technologies, both utilization and deadline tardiness. graphics hardware and runtime environments have grown in generality, enabling GPGPU across many domains. Contributions. One issue not addressed in our prior Today, GPUs can be found integrated on-chip in mobile work is the effect GPU interrupts have on real-time devices and laptops [4], [5], [6], as discrete cards in execution. Interrupts cause complications in the design higher-end consumer computers and workstations, and and analysis of real-time systems. Ideally, interrupt han- within many of the world’s fastest supercomputers [7]. dling should respect the priorities of executing real-time GPUs have applications in many real-time domains. tasks. However, this is a non-trivial issue, especially for For example, GPUs can efficiently perform multidi- systems with shared I/O resources. In this paper, we mensional FFTs and convolutions, as used in signal examine the effects interrupt servicing techniques have processing, as well as matrix operations such as fac- on real-time execution on a multiprocessor, with GPU- torization on large data sets. Such operations are used related interrupts particularly in mind. in medical imaging and video processing, where real- Our major contributions are threefold. First, we de- time constraints are common. A particularly compelling velop techniques that enable interrupts due to asyn- use case is driver-assisted and autonomous automobiles, chronous I/O to be handled without violating the single- where multiple streams of video and sensor data must 2Newer GPUs allow some degree of concurrency, at the expense be processed and correlated in real time [8]. GPUs are of introducing non-determinism due to conflicts within co-scheduled well suited for this purpose. work. Further, execution remains non-preemptive in any case. 3A priority inversion occurs when a task has sufficient priority to 1Notable platforms include the Compute Unified Device Architec- be scheduled but it is not. Priority inversions can be introduced by a ture (CUDA) from Nvidia, Stream from AMD/ATI, OpenCL from variety of sources, including locking protocols and interrupt services. Apple and the Khronos Group, and DirectCompute from Microsoft. These inversions must be bounded to ensure real-time guarantees. threaded sporadic task model, improving schedulability separate thread of execution with an appropriate priority. analysis. Prior interrupt-related work has not directly The duration of interruption is minimized and deferred addressed asynchronous I/O on multiprocessors. Second, work competes fairly with other tasks for CPU time. we propose a technique to override the interrupt process- GPU interrupt management is important to real-time ing of closed-source drivers and apply this technique to systems for two reasons. First, we want to minimize a GPU driver. This required significant challenges to be the interference of GPU interrupts on all system tasks, overcome to alter the interrupt handling of the closed- including those that do not use a GPU. Second, we source GPU driver. Third, we discuss an implementation want a system that can be modeled analytically, so that of the proposed techniques and present an associated schedulability can be assessed. Such analysis could be experimental evaluation. This implementation is given in useful for systems such as driver-assisted automobiles. the form of an extension to LITMUSRT called klmirqd. For example, response time bounds of GPU-based sensor The rest of this paper is organized as follows. In processing may be required by an automatic collision Sec. II, we provide necessary background. In Sec. III, avoidance component since response time equates di- we review prior work on real-time interrupt handling rectly to distance-travelled in a moving vehicle. Through and describe our solution, klmirqd. In Sec. IV, we show analysis, we can determine the minimum system pro- how GPU interrupt processing can be intercepted and visioning that meets the requirements of the collision rerouted, despite the use of a closed-source GPU driver. avoidance component, as well as any other timing re- In Secs. V–VII, we present an experimental evaluation quirements of other components. of klmirqd. We conclude in Sec. VIII. Interrupt Handling In Linux. We now review how Due to space limitations, we henceforth limit attention Linux performs split interrupt handling. We focus on to GPU technologies from the manufacture NVIDIA, Linux for two reasons. First, despite its general-purpose whose CUDA [17] platform is widely accepted as the origins, variants of Linux are widely used in supporting leading GPGPU solution. real-time workloads. Second, GPGPU is well supported on Linux and it is the only OS where we can make use of II. INTERRUPT HANDLING GPGPU and have the ability to modify OS source code. An interrupt is a hardware signal issued from a system Other operating systems with reasonably robust GPGPU device to a system CPU. Upon receipt of an interrupt, support (Windows and Mac OS X) are closed-source. a CPU halts its currently-executing task and invokes an Virtualization techniques that enable GPGPU in guest interrupt handler, which is a segment of code responsible operating systems (ex. [21]) cannot be used because the for taking the appropriate actions to process the interrupt. GPGPU software, including the GPU driver, must still be Each device driver registers a set of driver-specific hosted in a traditional OS environment, such as Linux. interrupt handlers for all interrupts its associated device During the initialization of the Linux kernel, device may raise. An interrupted task can only resume execution drivers (even closed-source ones) register interrupt han- after the interrupt handler has completed. dlers with the kernel’s interrupt services layer, mapping Interrupts require careful implementation and analysis interrupt signals to interrupt service routines (ISRs). in real-time systems. In uniprocessor and partitioned Upon receipt of an interrupt on a CPU, Linux imme- multiprocessor systems, an interrupt handler can be diately invokes the registered ISR. The ISR is the top- modeled as the highest-priority real-time task [18], [19], half of the split interrupt handler. If an interrupt requires though the unpredictable
Recommended publications
  • La Recuperación De La Memoria Histórica En Las Series De Ficción a Través De Las Redes Sociales
    ADVERTIMENT. Lʼaccés als continguts dʼaquesta tesi doctoral i la seva utilització ha de respectar els drets de la persona autora. Pot ser utilitzada per a consulta o estudi personal, així com en activitats o materials dʼinvestigació i docència en els termes establerts a lʼart. 32 del Text Refós de la Llei de Propietat Intel·lectual (RDL 1/1996). Per altres utilitzacions es requereix lʼautorització prèvia i expressa de la persona autora. En qualsevol cas, en la utilització dels seus continguts caldrà indicar de forma clara el nom i cognoms de la persona autora i el títol de la tesi doctoral. No sʼautoritza la seva reproducció o altres formes dʼexplotació efectuades amb finalitats de lucre ni la seva comunicació pública des dʼun lloc aliè al servei TDX. Tampoc sʼautoritza la presentació del seu contingut en una finestra o marc aliè a TDX (framing). Aquesta reserva de drets afecta tant als continguts de la tesi com als seus resums i índexs. ADVERTENCIA. El acceso a los contenidos de esta tesis doctoral y su utilización debe respetar los derechos de la persona autora. Puede ser utilizada para consulta o estudio personal, así como en actividades o materiales de investigación y docencia en los términos establecidos en el art. 32 del Texto Refundido de la Ley de Propiedad Intelectual (RDL 1/1996). Para otros usos se requiere la autorización previa y expresa de la persona autora. En cualquier caso, en la utilización de sus contenidos se deberá indicar de forma clara el nombre y apellidos de la persona autora y el título de la tesis doctoral.
    [Show full text]
  • Surface Temperature
    OSI SAF SST Products and Services Pierre Le Borgne Météo-France/DP/CMS (With G. Legendre, A. Marsouin, S. Péré, S. Philippe, H. Roquet) 2 Outline Satellite IR radiometric measurements From Brightness Temperatures to Sea Surface Temperature SST from Metop – Production – Validation SST from MSG (GOES-E) – Production – Validation Practical information OSI-SAF SST, EUMETRAIN 2011 3 Satellite IR Radiometric measurements IR Radiometric Measurement = (1) Emitted by surface + (2) Emitted by atmosphere and reflected to space + (3) Direct atmosphere contribution (emission+ absorption) (3) (2) (1) OSI-SAF SST, EUMETRAIN 2011 4 Satellite IR Radiometric measurements From SST to Brightness Temperature (BT) A satellite radiometer measures a radiance Iλ : Iλ= τλ ελ Bλ (Ts) + Ir + Ia Emitted by surface Reflected Emitted by atmosphere – Ts: surface temperature Clear sky only! – Bλ: Planck function – λ : wavelength IR: 0.7 to 1000 micron – ελ: surface emissivity – τλ: atmospheric transmittance -2 -1 -1 – Iλ: measured radiance (w m μ ster ) –1 Measured Brightness Temperature: BT = B λ (Iλ) OSI-SAF SST, EUMETRAIN 2011 5 Satellite IR Radiometric measurements From BT to SST Transmittance τλ 12.0 μm Which channel? 3.7 μm 8.7 μm 10.8 μm OSI-SAF SST, EUMETRAIN 2011 6 FROM BT to SST SST OSI-SAF SST, EUMETRAIN 2011 7 FROM BT to SST BT 10.8μ OSI-SAF SST, EUMETRAIN 2011 8 FROM BT to SST BT 12.0μ OSI-SAF SST, EUMETRAIN 2011 9 FROM BT to SST SST - BT10.8μ OSI-SAF SST, EUMETRAIN 2011 10 FROM BT to SST BT10.8μ - BT12.0μ OSI-SAF SST, EUMETRAIN 2011 11 FROM BT to
    [Show full text]
  • Applications of Satellite Data Relay to Problems of Field Seismology '
    (NASA-TM- 80673) APFLICATICNS UP SATELLITE DATA RELAY TIC P N80-17871 ROBLEMS OF FIELD SEISMGLGGY (NASA) 112 P HC A06/MF A01 CSCL 089 0111 l a s G3/46 25196 Akim Technical Memorandum 80573 Applications of Satellite Data Relay to Problems of Field Seismology '- W. J. Webster, Jr. W.H. Miller R. Whitley R. J. Allenby R. T. Dennison . APRIL 1980 gr^o911?^^ National Aeronautics and Space Administration Goddard Space Flight Center Greenbelt, Maryland 20771 --^,- -_ - TM-80673 APPLICATIONS OF SATELLITE DATA RELAY TO PROBLEMS OF FIELD SEISMOLOGY W. J. Webster, Jr.' W. H. Miller' R. Whitley3 R. J. Allenby' R. T. Dennison April 1980 lGeophysics Branch, NASA Goddard Space Flight Centei, Greenbelt, Maryland 20771 2Spacecraft Data Management Branch, NASA Goddard Space Flight Center, Greenbelt, Maryland 20771 3Ground Systems and Data Management Branch, NASA Goddard Space Flight Center, Greenbelt, Maryland 20771 4Computer Sciences-Technicolor Associates, Seabrook, Maryland 20801 All measurement values are expressed in the International System of Units (SI) in accordance with NASA Policy Directive 2220.4, paragraph 4. ABSTRACT A seismic signal processor has been developed and tested for use with the NOAA-GOES satellite data collection system. Performance tests on recorded, as well as real time, short period signals indicate that the event recognition technique used (formulated by Rex Allen) is nearly perfect in its rejection of cultural signals and that data can be acquired in many swarm situations with the use of solid state buffer memories. Detailed circuit diagrams are provided. The design of a complete field data collection platform is discussed and the employ- ment of data collection platforms in seismic networks is reviewed.
    [Show full text]
  • FEDERAL REGISTER VOLUME 34 • NUMBER 68 Thursday, April 10,1969 • Washington, D.C
    FEDERAL REGISTER VOLUME 34 • NUMBER 68 Thursday, April 10,1969 • Washington, D.C. Pages 6317-6369 Agencies in this issue— Agriculture Department Agricultural Stabilization and Conservation Service Civil Aeronautics Board Coast Guard Commodity Credit Corporation Consumer and Marketing Service Farm Credit Administration Federal Aviation Administration Federal Communications Commission Federal Maritime Commission Federal Power Commission Federal Reserve System Fish and Wildlife Service Food and Drug Administration General Services Administration Interagency Textile Administrative Committee Internal Revenue Service Interstate Commerce Commission Land Management Bureau Maritime Administration National Park Service Securities and Exchange Commission Small Business Administration Detailed list of Contents appears inside. Just Released CODE OF FEDERAL REGULATIONS (A s of January 1, 1969) Title 14— Aeronautics and Space (Parts 1-59) (Revised)- $2.75 Title 28— Judicial Administration (Revised)— . --------- 1.00 Title 32— National Defense (Parts 1200-1599) (Revised) 1. 75 [A Cumulative checklist of CFR issuances for 1969 appears in the first issue of the Federal Register each month under Title 1] Order from Superintendent of Documents, United States Government Printing Office, Washington, D.C. 20402 Published daily, Tuesday through Saturday (no publication on Sundays, Mondays, o on the day after an official Federal holiday), by the Office of the Federal Register, Nation FEDEMLSBREGISTER Archives and Records Service, General Services Administration (mail address N ation a V , »3« ¿ y Phone 962-8626 Area Code 202 (Junto ^ Archives Building, Washington, D.C. 20408), pursuant to the authority contained in Federal Register Act, approved July 26, 1935 (49 Stat. 500, as amended; 44 U.S.C., Ch. 15), under regulations prescribed by the Adm n- istrative Committee of the Federal Register, approved by the President (1 CFR Ch.
    [Show full text]
  • 59864 Federal Register/Vol. 85, No. 185/Wednesday, September 23
    59864 Federal Register / Vol. 85, No. 185 / Wednesday, September 23, 2020 / Rules and Regulations FEDERAL COMMUNICATIONS C. Congressional Review Act II. Report and Order COMMISSION 2. The Commission has determined, A. Allocating FTEs 47 CFR Part 1 and the Administrator of the Office of 5. In the FY 2020 NPRM, the Information and Regulatory Affairs, Commission proposed that non-auctions [MD Docket No. 20–105; FCC 20–120; FRS Office of Management and Budget, funded FTEs will be classified as direct 17050] concurs that these rules are non-major only if in one of the four core bureaus, under the Congressional Review Act, 5 i.e., in the Wireline Competition Assessment and Collection of U.S.C. 804(2). The Commission will Bureau, the Wireless Regulatory Fees for Fiscal Year 2020 send a copy of this Report & Order to Telecommunications Bureau, the Media Congress and the Government Bureau, or the International Bureau. The AGENCY: Federal Communications indirect FTEs are from the following Commission. Accountability Office pursuant to 5 U.S.C. 801(a)(1)(A). bureaus and offices: Enforcement ACTION: Final rule. Bureau, Consumer and Governmental 3. In this Report and Order, we adopt Affairs Bureau, Public Safety and SUMMARY: In this document, the a schedule to collect the $339,000,000 Homeland Security Bureau, Chairman Commission revises its Schedule of in congressionally required regulatory and Commissioners’ offices, Office of Regulatory Fees to recover an amount of fees for fiscal year (FY) 2020. The the Managing Director, Office of General $339,000,000 that Congress has required regulatory fees for all payors are due in Counsel, Office of the Inspector General, the Commission to collect for fiscal year September 2020.
    [Show full text]
  • To View Documentation
    Message from the IEEE Communications EXPO Chairs Terry Kero, Anthony Neal Graves, President, Myanni, Inc. General Manager, Digital Enterprise IEEE GLOBECOM/EXPO 2006 Group, Intel Corp. General Chair IEEE Communications EXPO Chair On behalf of the executive committee, we are pleased to invite you to the annual IEEE Communications EXPO, to be held on November 28-30, 2006 along with IEEE’s 49th annual GLOBECOM 2006 conference in San Francisco, California. This new IEEE Communications EXPO is geared for “designers and developers” and will feature exhibits and a comprehensive technical program focused on education and information for industry engineers and their management. The EXPO technical program includes a Design & Developer Forum with 15 seminars, 23 tutorials, 4 workshops, and a brand new ACCESS’06 Business Forum. The ACCESS’06 Forum is a key component of Communications EXPO. It is a multi-disciplinary executive forum focused on the “Last Mile” access technologies. The forum covers broadband and wireless access technologies currently pursued by service providers, municipalities, and other user communities. Topics include technology and business issues surrounding the introduction of FTTH, xDSL, cable, broadband over power line, WiFi, WiMax, 3G and beyond in broadband access networks. Highlights of forum include keynote addresses by senior Government and industry executives, executive panels, and 20 sessions covering the technology, architecture, economics, management, and applications aspects of the last mile networks. San Francisco is the ideal location for this forum because of the plethora of broadband wireless projects proposed for the city and in the neighboring Silicon Valley. We have invited 20,000 communications designers and developers looking to meet manufacturers and suppliers of products and services related to components, subsystems, and systems including hardware, middleware, and software.
    [Show full text]
  • A Study of the Usefulness of the Instructional Television
    DOCUMENT RESUME ED 037 091 EM 007 891 AUTHOR Dirr, Peter J. TITLE A Study of the Usefulnessof the Instructional Television Services of Channel13/WNDT and Recommendations for Their Improvement. INSTITUTION New York Univ., N.Y. Schoolof: Education. PUB DATE 70 NOTE 117p.; Ph.D. Thesis EDRS PRICE EDRS Price MF-$0.50HC-$5.95 DESCRIPTORS *Broadcast Television, EducationalFacilities, Instructional Program Divisions,*Instructional Television, Teacher Background,*Teacher Behavior ABSTRACT The extent to which teachers usethe services provided by The SchoolTelevision Service (STS), theinstructional division of Channel 13/WNDT (NewYork), was studied. After determining that the STS isrepresentative of many broadcast instructional television agencies, afive-page questionnaire was administered to a sample of 1037teachers whose school districts participated in STS. The sampleprovided 752 usable responses. Results showed that a majority(57.9 percent) of therespondents used the program series regularly(at least several times asemester), and that the average regular useof the program series was1.8 program series per teacher per semester.Three conditions were found tobe statistically associated with thenumber of series a teacher uses: the storage location ofthe television set, theteacher's professional preparation, andthe grade levels concerned.(Author/SP) Sponsoring Committee: Dr. Irene F. Cypher, Chairman Dr. Robert W. Clausen rim4 Dr. Alfred Ellison OCI% ti U.S. DEPARTMENT OF HEWN, EDUCATION i WELFARE Pe% OFFICE OF EDUCATION O THIS DOCUMENT HAS PUN CZI REPRODUCED EXACTLY ASRECEIVED FROM THE PERSON OR ORGANIZATION ORIGINATING IT.POINTS OF VIEW OR OPINIONS LA.1 STATED DO NOT NECESSARILY IfINSENT OFFICIAL OFFICEOF EDUCATION POSITION OR POLICY. A STUDY OF TilE USEFULNESS OF THE INSTRUCTIONAL TELEVISION SERVICES OF CHANNEL 13/WNDT AND RECOMMENDATIONS FOR THEIR IMPROVEMENT Peter J.
    [Show full text]
  • Overview of Chinese First C Band Multi-Polarization SAR Satellite GF-3
    Overview of Chinese First C Band Multi-Polarization SAR Satellite GF-3 ZHANG Qingjun, LIU Yadong China Academy of Space Technology, Beijing 100094 Abstract: The GF-3 satellite, the first C band and multi-polarization Synthetic Aperture Radar (SAR) satellite in China, achieved breakthroughs in a number of key technologies such as multi-polarization and the design of a multi- imaging mode, a multi-polarization phased array SAR antenna, and in internal calibration technology. The satellite tech- nology adopted the principle of “Demand Pulls, Technology Pushes”, creating a series of innovation firsts, reaching or surpassing the technical specifications of an international level. Key words: GF-3 satellite, system design, application DOI: 10. 3969/ j. issn. 1671-0940. 2017. 03. 003 1 INTRODUCTION The GF-3 satellite, the only microwave remote sensing phased array antenna technology; high precision SAR internal imaging satellite of major event in the National High Resolution calibration technique; deployable mechanism for a large phased Earth Observation System, is the first C band multi-polarization array SAR antenna; thermal control technology of SAR antenna; and high resolution synthetic aperture radar (SAR) in China. pulsed high power supply technology and satellite control tech- The GF-3 satellite has the characteristics of high resolution, nology with star trackers. The GF-3 satellite has the following wide swath, high radiation precision, multi-imaging modes, long characteristics: design life, and it can acquire global land and ocean informa-
    [Show full text]
  • SCMS 2019 Conference Program
    CELEBRATING SIXTY YEARS SCMS 1959-2019 SCMSCONFERENCE 2019PROGRAM Sheraton Grand Seattle MARCH 13–17 Letter from the President Dear 2019 Conference Attendees, This year marks the 60th anniversary of the Society for Cinema and Media Studies. Formed in 1959, the first national meeting of what was then called the Society of Cinematologists was held at the New York University Faculty Club in April 1960. The two-day national meeting consisted of a business meeting where they discussed their hope to have a journal; a panel on sources, with a discussion of “off-beat films” and the problem of renters returning mutilated copies of Battleship Potemkin; and a luncheon, including Erwin Panofsky, Parker Tyler, Dwight MacDonald and Siegfried Kracauer among the 29 people present. What a start! The Society has grown tremendously since that first meeting. We changed our name to the Society for Cinema Studies in 1969, and then added Media to become SCMS in 2002. From 29 people at the first meeting, we now have approximately 3000 members in 38 nations. The conference has 423 panels, roundtables and workshops and 23 seminars across five-days. In 1960, total expenses for the society were listed as $71.32. Now, they are over $800,000 annually. And our journal, first established in 1961, then renamed Cinema Journal in 1966, was renamed again in October 2018 to become JCMS: The Journal of Cinema and Media Studies. This conference shows the range and breadth of what is now considered “cinematology,” with panels and awards on diverse topics that encompass game studies, podcasts, animation, reality TV, sports media, contemporary film, and early cinema; and approaches that include affect studies, eco-criticism, archival research, critical race studies, and queer theory, among others.
    [Show full text]
  • FCC-21-49A1.Pdf
    Federal Communications Commission FCC 21-49 Before the Federal Communications Commission Washington, DC 20554 In the Matter of ) ) Assessment and Collection of Regulatory Fees for ) MD Docket No. 21-190 Fiscal Year 2021 ) ) Assessment and Collection of Regulatory Fees for MD Docket No. 20-105 Fiscal Year 2020 REPORT AND ORDER AND NOTICE OF PROPOSED RULEMAKING Adopted: May 3, 2021 Released: May 4, 2021 By the Commission: Comment Date: June 3, 2021 Reply Comment Date: June 18, 2021 Table of Contents Heading Paragraph # I. INTRODUCTION...................................................................................................................................1 II. BACKGROUND.....................................................................................................................................3 III. REPORT AND ORDER – NEW REGULATORY FEE CATEGORIES FOR CERTAIN NGSO SPACE STATIONS ....................................................................................................................6 IV. NOTICE OF PROPOSED RULEMAKING .........................................................................................21 A. Methodology for Allocating FTEs..................................................................................................21 B. Calculating Regulatory Fees for Commercial Mobile Radio Services...........................................24 C. Direct Broadcast Satellite Regulatory Fees ....................................................................................30 D. Television Broadcaster Issues.........................................................................................................32
    [Show full text]
  • A Review of Bellsouth-Kentucky's Transition Regulatory Plan (TRP)
    i A Review of BellSouth-Kentucky’s Transition Regulatory Plan (TRP) Case No. 2003-00304 for Kentucky Public Service Commission February 2004 i Kentucky Public Service Commission Review of BellSouth’s TRP Plan Table of Contents I. Executive Summary ................................................................................................... 1 A. Project Objectives .......................................................................................... 1 B. Process.......................................................................................................... 1 C. Overall Conclusion......................................................................................... 2 E. Summary of Findings and Recommendations ............................................... 5 II. Background and Status of Competitive Market ......................................................... 8 A. Competitive Trends for Local Service in the US............................................. 8 B. Competitive Trends for BellSouth ................................................................ 13 C. US Financial and Regulatory Perspective ................................................... 18 III. BellSouth - Kentucky Performance ....................................................................... 27 A. Service Quality............................................................................................. 27 B. Alternate Competitors .................................................................................. 29 C. Broadband Implementation.........................................................................
    [Show full text]
  • Bulletin 19489 Ns. 14 Rlrall Lisearky Astwor
    .. Bulletin19489Ns. 14 I 111 6 66 9 *OM 111 I A a= -.1M1111 1 - a r dr. NA LA A A JE =1, -- 111111==11monk I. BY DELIAGOETZ *b. l&t -.. *. _ M 42. = 7=. _ e Latin AmericanCenntries 6 -6 = = A- American Section, a- 7 = = ofm A e ffi, _ Relations : _ O rlrall lisearkyAstwor *SCAB asZWING, 1 Aihtrr si WAneagen TORN IV. STIMINIMAXIMI,cossaaasimeirir %A- '- = a- , ; t -. z. - , . * = - I4 _ `:.L '. : 'ki - *- k- " ---; ' 4- 1. ' '- - . ___Il :i..---"'-_,''!--4;71,-:-.4.- 42 = . = k-- 4 / X X t v = 1 . -- _ A-n,_,1,77.t.'__:,-,4w r_ok,-..,--../47'...os:74:4!, -. * #.-- .-3,_,,,- &l',4, S....\11-= ¡-.1 .4, ---v,z,-,,,y -...,...-1-Vr'l -s'-'1-4 f 1. g f :;'7.- :tt.V- --7.,,z,r,,e,v,.<4.;rjz,:,:,:z--4-7.-.7-,,,I.4 -, , : i "-::16 ' 4 , % 44- 4.41 '.--_. .4A- 1- -= t/ ., , v. - ...,- - 744.-" i' I 'I.' . k .. .:. -. ,ti, .% .- 4 ' ' i- ' Pr11' - 1 ** 11 :44'.'" -;- ' t 4 - ' '--.- ..t , -, ......,, 41..A ,,4,L- --.. 0 . ,...,:...... - 4 ... "... # 't .. ,-, riot .., ../ ' :t , . - 4 ' . ' -6 4. '. et- . 411. 7 "41 s CONTENTS 411.11111111111111111111 P 1.WWWer---4 V _4=km - == LTheLaudn-E.9 diePeople____ 1 i -A WU .. W 7=e-ri,erta17In '--- ':-. of __ 7 ..2-11 Et - 1ktnA = X-1` *** "La in thecolonial ell 4 .... IOW ..... -MP 7 Education sin(Yeindewndenw_ _ _ OM ......... 10 _ Chirpier== HE Oa matedstwatli .44 n tion am Ob.- 15 - - - == C-Z-1 Miiìistrvo _ ... 15 ,., . .1 Budget_ Am I 1_ _______ .. OD 44.4 - ..... ;...41. ... .. 4.
    [Show full text]