Release 0.4.8

Total Page:16

File Type:pdf, Size:1020Kb

Release 0.4.8 domonic Release 0.6.0 Sep 30, 2021 Contents: 1 HTML TEMPLATING 3 2 install 5 3 usage 7 4 The User Guide 9 4.1 Domonic: HTML.............................................9 4.2 Domonic: DOM............................................. 19 4.3 Domonic: Javascript........................................... 35 4.4 Domonic: events............................................. 54 4.5 Domonic: sitemap............................................ 60 4.6 Domonic: dQuery............................................ 62 4.7 Domonic: d3............................................... 73 4.8 Domonic: JSON............................................. 74 4.9 Domonic: constants........................................... 76 4.10 Domonic: terminal............................................ 123 4.11 Domonic: cmd.............................................. 130 4.12 Domonic: tween............................................. 136 4.13 Domonic: geom............................................. 137 4.14 Domonic: x3d.............................................. 137 4.15 Domonic: CDN............................................. 158 4.16 Domonic: decorators........................................... 164 4.17 Domonic: templates and components.................................. 166 4.18 Domonic: utils.............................................. 170 4.19 Domonic: servers............................................. 174 4.20 Domonic: autodocs............................................ 182 5 CLI 263 6 Join-In 265 7 EXAMPLE PROJECT 267 8 Disclaimer 269 Python Module Index 271 i Index 273 ii domonic, Release 0.6.0 • genindex • modindex • search Domonic Not only a Python library for generating HTML Domonic contains several main packages: (but by no means are any of them complete) • html : Generate html with python 3 • dom : DOM API in python 3 • javascript : js API in python 3 • terminal || cmd : call terminal commands with python3 (see at the end) • JSON : utils for loading / decorating / transformin • SVG : Generate svg using python (untested • aframe || x3d tags : auto generate 3d worlds with aframe. (see examples folder • dQuery - Utils for querying domonic. (alt + 0 for the º symbol) • geom - vec2, vec3 with _dunders_ as well as shape classes Contents: 1 domonic, Release 0.6.0 2 Contents: CHAPTER 1 HTML TEMPLATING from domonic.html import * mydom= html( head( style(), script(), ), body( div("hello world"), a("this is a link", _href="http://www.somesite.com", _style="font- ,!size:10px;"), ol(''.join([f'{li()}' for thing in range(5)])), h1("test", _class="test"), ) ) render(mydom) <html><head><style></style><script></script></head><body><div>hello world</div><a ,!href="http://www.somesite.com" style="font-size:10px;">this is a link</a><ol><li></ ,!li><li></li><li></li><li></li><li></li></ol><h1 class="test">test</h1></body></html> To pretty print a domonic dom you can now use a f-string. Which also adds the doctype .. i.e. print(f"{mydom}") 3 domonic, Release 0.6.0 4 Chapter 1. HTML TEMPLATING CHAPTER 2 install python3-m pip install domonic or if you had it before upgrade: python3-m pip install domonic--upgrade 5 domonic, Release 0.6.0 6 Chapter 2. install CHAPTER 3 usage print(html(body(h1('Hello, World!')))) <html><body><h1>Hello, World!</h1></body></html> 7 domonic, Release 0.6.0 8 Chapter 3. usage CHAPTER 4 The User Guide Here you can find some instructions for getting the most out of Domonic. 4.1 Domonic: HTML 4.1.1 rendering you can cast str() on any element to render it. el_string= str(div()) print(el_string) there’s also a render method that takes 2 parameters, some pyml and an optional output file. from domonic.html import * page= div(span('Hello World')) render(page,'index.html') 4.1.2 templating from domonic.html import * output= render( html( head( style(), script(), ), body( div("hello world"), (continues on next page) 9 domonic, Release 0.6.0 (continued from previous page) a("this is a link", _href="http://www.somesite.com", _style="font- ,!size:10px;"), ol(''.join([f'{li()}' for thing in range(5)])), h1("test", _class="test"), ) ) ) <html><head><style></style><script></script></head><body><div>hello world</div><a ,!href="http://www.somesite.com" style="font-size:10px;">this is a link</a><ol><li></ ,!li><li></li><li></li><li></li><li></li></ol><h1 class="test">test</h1></body></html> Take a look in tests/test_html.py at the bootstrap5 alpha examples. All tests passed on several templates. 4.1.3 usage print(html(body(h1('Hello, World!')))) <html><body><h1>Hello, World!</h1></body></html> 4.1.4 attributes prepend attributes with an underscore ( avoids clashing with python keywords ) test= label(_class='classname', _for="someinput") print(test) <label class="classname" for="someinput"></label> 4.1.5 lists just do list comprehension and join it to strip the square brackets ul(''.join([f'{li()}' for thing in range(5)])), <ul><li></li><li></li><li></li><li></li></ul> 4.1.6 data-tags python doesn’t allow hyphens in parameter names. so use variable keyword argument syntax for custom data-tags div("test", **{"_data-test":"test"}) DONT FORGET TO PREPEND THE UNDERSCORE. 10 Chapter 4. The User Guide domonic, Release 0.6.0 4.1.7 script tags load from a source. script(_src="/docs/5.0/dist/js/bootstrap.bundle.min.js", _integrity="sha384-1234",_ ,!crossorigin="anonymous"), or do inline js. script(""" let itbe ="" """), 4.1.8 style tags load from a source. link(_href="/docs/5.0/dist/css/bootstrap.min.css", _rel="stylesheet", __integrity= ,!"sha384-12345", __crossorigin="anonymous"), or do inline css. style(""" .bd-placeholder-img{ font-size: 1.125rem; text-anchor: middle; -webkit-user-select: none; -moz-user-select: none; -ms-user-select: none; user-select: none; } @media (min-width: 768px){ .bd-placeholder-img-lg{ font-size: 3.5rem; } } """), 4.1.9 Create Elements to create your own custom elements you can use create_element from domonic.html import * create_element('custom_el', div('some content'), _id="test") or you could use the DOM API. from domonic.dom import * from domonic.html import * site= html() el= document.createElement('myelement') site.appendChild(el) print(site) 4.1. Domonic: HTML 11 domonic, Release 0.6.0 For more info about the DOM API navigate to that section. 4.1.10 Decorators You can use decorators to wrap elements around function results 4.1.11 Magic methods Multiply You can quickly clone nodes with a multiplier which will return a list. from domonic.html import * mydivs= div() *100 but you will have to render them yourself by interating and calling string. print(''.join([str(c) for c in mydivs])) Divide A divisor also creates more but will instead call render and give a list of strings. from domonic.html import * print(div()/100) but this means they are now rendered and can’t be edited. Although you could convert them back by calling parser then domonify. i.e. mylist= li()/10 myobj= domonic.domonify(domonic.parse(mylist)) print(myobj) OR If other is anything, it is returned. Otherwise it returns self from domonic.html import * print(div()| False) print(div()| True) Another way is to use ternary i.e. mything= div() if True else span(class-'warning') In place add/minus You can add to or remove from the children of a Node with the in-place operators. myorderedlist= ol() myorderedlist+= str(li()/ 10) print(myorderedlist) This also works for text nodes but be aware they will be irreversibly flattened if you render. 12 Chapter 4. The User Guide domonic, Release 0.6.0 a1= button() a1+="hi" a1+="how" a1+="are" a1+="you" print(a1) a1-="hi" print(a1) Pass a dictionary to the right shift operator to add/update an attribute. (don’t forget underscore or it will error) a1= img() a1 >>{'_src':"http://www.someurl.com"} print(a1) Access an elements children as if it were a list. mylist= ul(li(1), li(2), li(3)) print(mylist[1]) unpack children. mylist= ul(li(), li(), li()) print(*mylist) a1, b1, c1= ul(li(1), li(2), li(3)) print(a1) a1, b1, c1, d1, e1= button() * 5 print(a1, b1, c1, d1, e1) 4.1.12 f-strings To pretty print a domonic dom you can use a f-string. print(f"{mydom}") <!DOCTYPE html> <html> <body> <h1>Hello, World!</h1> </body> </html> which basically calls the format dunder on the tag. (if look at the code) This is useful as it means use different ways to get output from domonic. print(f"{mydom}") print(f"{mydom!s}") print(f"{mydom!r}") print(f"{mydom!a}") print(str(mydom)) (continues on next page) 4.1. Domonic: HTML 13 domonic, Release 0.6.0 (continued from previous page) print(mydom.__format__('')) If the built in formatter is not up to your needs. You can also use other libraries that leverage beautifulsoup i.e. output= render(html(body(h1('Hello, World!')))) from html5print import HTMLBeautifier print(HTMLBeautifier.beautify(output,4)) For outputting pyml to a string there is a method in production called __pyml__() which may become repr. (but i’d been saving repr for logging) You can also use this vscode plugin on .pyml and it does a nice job. (inpsiration for the ‘dentage’ method) https://marketplace.visualstudio.com/items?itemName=mgesbert.indent-nested-dictionary 4.1.13 loading .pyml templates ‘loads’ imports a pyml file and turns it into a program this example loads a template and passing params for rendering from domonic import loads from domonic.html import * # create some vars. you will see these referenced in the template file brand="MyBrand" links=['one','two','three'] # load a template and pass it some data webpage= domonic.loads('templates/webpage.com.pyml', links=links, brand=brand) render(webpage,'webpage.html') # ‘load’ is different to ‘loads’, it takes html strings and converts to a program from domonic.dQuery import º webpage= domonic.load('<html><head></head><body id="test"></body></html>') º(webpage) º('#test').append(div("Hello World")) render(webpage,'webpage2.html') • warning loads also is very basic and can only convert simple html as the parser is still in development 4.1.14 parsing You can hook domonic to the super fast html5 c++ parser.
Recommended publications
  • Windows 7 Operating Guide
    Welcome to Windows 7 1 1 You told us what you wanted. We listened. This Windows® 7 Product Guide highlights the new and improved features that will help deliver the one thing you said you wanted the most: Your PC, simplified. 3 3 Contents INTRODUCTION TO WINDOWS 7 6 DESIGNING WINDOWS 7 8 Market Trends that Inspired Windows 7 9 WINDOWS 7 EDITIONS 10 Windows 7 Starter 11 Windows 7 Home Basic 11 Windows 7 Home Premium 12 Windows 7 Professional 12 Windows 7 Enterprise / Windows 7 Ultimate 13 Windows Anytime Upgrade 14 Microsoft Desktop Optimization Pack 14 Windows 7 Editions Comparison 15 GETTING STARTED WITH WINDOWS 7 16 Upgrading a PC to Windows 7 16 WHAT’S NEW IN WINDOWS 7 20 Top Features for You 20 Top Features for IT Professionals 22 Application and Device Compatibility 23 WINDOWS 7 FOR YOU 24 WINDOWS 7 FOR YOU: SIMPLIFIES EVERYDAY TASKS 28 Simple to Navigate 28 Easier to Find Things 35 Easy to Browse the Web 38 Easy to Connect PCs and Manage Devices 41 Easy to Communicate and Share 47 WINDOWS 7 FOR YOU: WORKS THE WAY YOU WANT 50 Speed, Reliability, and Responsiveness 50 More Secure 55 Compatible with You 62 Better Troubleshooting and Problem Solving 66 WINDOWS 7 FOR YOU: MAKES NEW THINGS POSSIBLE 70 Media the Way You Want It 70 Work Anywhere 81 New Ways to Engage 84 INTRODUCTION TO WINDOWS 7 6 WINDOWS 7 FOR IT PROFESSIONALS 88 DESIGNING WINDOWS 7 8 WINDOWS 7 FOR IT PROFESSIONALS: Market Trends that Inspired Windows 7 9 MAKE PEOPLE PRODUCTIVE ANYWHERE 92 WINDOWS 7 EDITIONS 10 Remove Barriers to Information 92 Windows 7 Starter 11 Access
    [Show full text]
  • Diagnostics and Recovery Toolset Recovery Toolset
    Para clientes de Software Assurance .. Microsoft Application Virtualization ® Microsoft .. Microsoft Asset Inventory Service Diagnostics and .. Microsoft Advanced Group Policy Management .. Microsoft Diagnostics and Recovery Toolset Recovery Toolset .. Microsoft System Center Desktop Error Monitoring .. Microsoft® Microsoft Enterprise Desktop Virtualization Paquete de Optimización de PC Para Software Assurance Microsoft® Diagnostics and Recovery Toolset ofrece herramientas intuitivas y poderosas que permiten a los administradores recuperar PCs que no se pueden utilizar y fácilmente, identifi car los problemas que causan los problemas del sistema y la red. Si ocurre una catástrofe en la PC, estas herramientas le permiten reparar los sistemas bloqueados o que no se pueden iniciar, recuperar los archivos eliminados en mucho menos tiempo que el que se requiere para realizar esto a partir de la copia de seguridad o la reinstalación de sistemas operativos, detectar o eliminar hardware que utiliza rootkits para evitar la detección, y mucho más. Microsoft Diagnostics and Recovery Toolset es un componente integral del Paquete de Optimización de PC de Microsoft para Software Assurance, una solución dinámica de PC disponible para clientes de Software Assurance que reduce los costos de implementación de aplicaciones, posibilita la entrega de aplicaciones como servicios ayuda a controlar y administrar mejor los entornos de PC de la empresa. Desafíos para la recuperación de las PCs de la empresa Proteger los datos corporativos y de los empleados es una de las funciones de TI más importantes. Si bien muchos departamentos de TI pueden realizar copias de seguridad de los datos de la red de manera proactiva, por lo general son reactivos en la planifi cación de fallas de los sistemas de las PCs.
    [Show full text]
  • Vpc6 Install Guides.Fm
    Installing Your Own Guest OS in Virtual PC 6 This document provides installation guides for the following OSes. Contents Installing Windows XP Professional - page 2 Installing Windows XP Home - page 7 Installing Windows 2000 Professional - page 12 Installing Windows 98 - page 15 Installing Red Hat Linux 8.0 - page 18 The following procedures require a full version of Windows XP, 2000, or Windows 98. The versions of Windows included with Virtual PC cannot be installed using the methods described here. Please see your Virtual PC User’s Guide for information on installing the Windows included with Virtual PC. Connectix provides limited support for Linux. Currently, there are no Additions for Linux which limits the functionality and performance of any version of Linux under Virtual PC. If you need additional support for Linux beyond installation, please contact the publisher for technical support. Virtual PC 6 User Reference 1 Installing Your Own Guest OS in Virtual PC 6 Installing Windows XP Professional Installation Notes: Virtual PC Toolbar: Located in the lower left corner of the guest’s window, the VPC Toolbar items provide information about the status of your guest PC, from left to right: Hard Drive, CD/DVD-ROM, Floppy Disk, Shared Folders, Network, USB, Printing Info, and Additions Installer/PC Info. The tool bar also provides a number of convenient features that are accessed by contextual menus (click the icon) or by dragging items onto the tool bar icons. A CD-ROM ISO image or floppy disk image can easily be mounted in the guest by dragging the disk image and dropping it on the respective VPC tool bar icon.See the Virtual PC help for more information.
    [Show full text]
  • Microsoft Diagnostics and Recovery Toolset
    For Software Assurance Customers Microsoft® .. Microsoft SoftGrid® Application Virtualization .. Microsoft Asset Inventory Service Diagnostics and .. Microsoft Advanced Group Policy Management Recovery Toolset .. Microsoft Diagnostics and Recovery Toolset .. Microsoft System Center Desktop Error Monitoring Microsoft® Desktop Optimization Pack for Software Assurance Microsoft® Diagnostics and Recovery Toolset provides powerful, intuitive tools that help administrators recover PCs that have become unusable and easily identify root causes of system and network issues. If a desktop catastrophe does occur, it helps you quickly repair unbootable or locked-out systems, restore lost files without the timely process of using backup or reinstalling the operating system, and much more. Microsoft Diagnostics and Recovery Toolset is an integral component in the Microsoft Desktop Optimization Pack for Software Assurance solution, a dynamic desktop solution available to Software Assurance customers that reduces application deployment costs, enables delivery of applications as services, and allows for better management and control of enterprise desktop environments. Challenges of Corporate Desktop Recovery A fundamental responsibility of enterprise IT departments is to protect corporate and employee data. Although many take a proactive approach to backing up network data, they tend to be Microsoft® reactive in planning for desktop system failures. Unfortunately, the cost of not having an effective Diagnostics and diagnostics and recovery plan in place can be devastating. Recovery Toolset Microsoft Diagnostics and Recovery Toolset can save significant time and reduce the headaches associated with repairing and troubleshooting common system failures. System administrators may Powerful tools to now run powerful recovery tools on unbootable systems and can quickly restore failed systems accelerate desktop repair with minimal manual effort—in much less time than is required when restoring PCs from backup or reinstalling operating systems.
    [Show full text]
  • [D:]Path[...] Data Files
    Command Syntax Comments APPEND APPEND ; Displays or sets the search path for APPEND [d:]path[;][d:]path[...] data files. DOS will search the specified APPEND [/X:on|off][/path:on|off] [/E] path(s) if the file is not found in the current path. ASSIGN ASSIGN x=y [...] /sta Redirects disk drive requests to a different drive. ATTRIB ATTRIB [d:][path]filename [/S] Sets or displays the read-only, archive, ATTRIB [+R|-R] [+A|-A] [+S|-S] [+H|-H] [d:][path]filename [/S] system, and hidden attributes of a file or directory. BACKUP BACKUP d:[path][filename] d:[/S][/M][/A][/F:(size)] [/P][/D:date] [/T:time] Makes a backup copy of one or more [/L:[path]filename] files. (In DOS Version 6, this program is stored on the DOS supplemental disk.) BREAK BREAK =on|off Used from the DOS prompt or in a batch file or in the CONFIG.SYS file to set (or display) whether or not DOS should check for a Ctrl + Break key combination. BUFFERS BUFFERS=(number),(read-ahead number) Used in the CONFIG.SYS file to set the number of disk buffers (number) that will be available for use during data input. Also used to set a value for the number of sectors to be read in advance (read-ahead) during data input operations. CALL CALL [d:][path]batchfilename [options] Calls another batch file and then returns to current batch file to continue. CHCP CHCP (codepage) Displays the current code page or changes the code page that DOS will use. CHDIR CHDIR (CD) [d:]path Displays working (current) directory CHDIR (CD)[..] and/or changes to a different directory.
    [Show full text]
  • List of MS-DOS Commands - Wikipedia, the Free Encyclopedia Page 1 of 25
    List of MS-DOS commands - Wikipedia, the free encyclopedia Page 1 of 25 List of MS-DOS commands From Wikipedia, the free encyclopedia In the personal computer operating systems MS -DOS and PC DOS, a number of standard system commands were provided for common Contents tasks such as listing files on a disk or moving files. Some commands were built-in to the command interpreter, others existed as transient ■ 1 Resident and transient commands commands loaded into memory when required. ■ 2 Command line arguments Over the several generations of MS-DOS, ■ 3 Windows command prompt commands were added for the additional ■ 4 Commands functions of the operating system. In the current ■ 4.1 @ Microsoft Windows operating system a text- ■ 4.2 : mode command prompt window can still be ■ 4.3 ; used. Some DOS commands carry out functions ■ 4.4 /* equivalent to those in a UNIX system but ■ 4.5 ( ) always with differences in details of the ■ 4.6 append function. ■ 4.7 assign ■ 4.8 attrib ■ 4.9 backup and restore Resident and transient ■ 4.10 BASIC and BASICA commands ■ 4.11 call ■ 4.12 cd or chdir ■ 4.13 chcp The command interpreter for MS-DOS runs ■ 4.14 chkdsk when no application programs are running. ■ 4.15 choice When an application exits, if the command ■ 4.16 cls interpreter in memory was overwritten, MS- ■ 4.17 copy DOS will re-load it from disk. The command ■ 4.18 ctty interpreter is usually stored in a file called ■ 4.19 defrag "COMMAND.COM". Some commands are ■ 4.20 del or erase internal and built-into COMMAND.COM, ■ 4.21 deltree others are stored on disk in the same way as ■ 4.22 dir application programs.
    [Show full text]
  • CF-45 Series OPERATING INSTRUCTIONS
    ® Personal Computer OPERATING INSTRUCTIONS CF-45 Series Contents Getting Started Read Me First .................................................. 6 First-time Operation ......................................... 7 95 Getting Started Operation Starting Up/Shutting Down............................ 11 Handling and Maintenance ........................... 15 Operation Troubleshooting [Additional Manual] List of Error Codes ......................................... 16 Reference Manual Dealing with Problems .................................. 18 This manual can be accessed on your computer. Please Reinstalling Software .................................... 20 refer to page 14 on how to access the Reference Manual. Contents • Key Combinations • Using an External Display • LED Indicators • Using USB Devices Troubleshooting • Suspend/Hibernation • Infrared Data Functions Communications Appendix • Security Measures • Hard Disk Drive • Computing On the Road • Setup Utility LIMITED USE LICENSE AGREEMENT ....... 23 • Battery Power • Technical Information Names and Functions of Parts...................... 26 • Using PC Cards • List of Error Codes • Adding Memory • DMI Viewer Specifications ................................................28 • Port Replicator • Dealing With Problems • Using a Printer Appendix Customer's Record Model Dealer's No.* Name Serial No. or Code Dealer's No. Address Date of Purchase For the Model No., insert the 11 digit number (for example, CF-45DJ48JAM) located on the bottom of the computer. Introduction Thank you for purchasing
    [Show full text]
  • NTFS from Wikipedia, the Free Encyclopedia Jump To: Navigation, Search NTFS Developer Microsoft Introduced July 1993 (Windows
    NTFS From Wikipedia, the free encyclopedia Jump to: navigation, search NTFS Developer Microsoft Introduced July 1993 (Windows NT 3.1) Partition identifier 0x07 (MBR) EBD0A0A2-B9E5-4433-87C0-68B6B72699C7 (GPT) Structures Directory contents B+ tree[1] File allocation Bitmap/Extents Bad blocks $badclus Limits Max file size 264 bytes (16 EiB) minus 1 KiB [2] Max number of files 4,294,967,295 (232-1)[2] Max filename length 255 UTF-16 code units[3] Max volume size 264 ? 1 clusters [2] Allowed characters in filenames In Posix namespace, any UTF-16 code unit (case sensitive) except U+0000 (NUL) and / (slash). In Win32 namespace, any UTF-16 code unit (case insensitive) except U+0000 (NUL) / (slash) \ (backslash) : (colon) * (asterisk) ? (Question mark) " (quote) < (less than) > (greater than) and | (pipe) [3] Features Dates recorded Creation, modification, POSIX change, access Date range 1 January 1601 ʹ 28 May 60056 (File times are 64-bit numbers counting 100- nanosecond intervals (ten million per second) since 1601, which is 58,000+ years) Date resolution 100ns Forks Yes (see Alternate data streams below) Attributes Read-only, hidden, system, archive, not content indexed, off-line, temporary File system permissions ACLs Transparent compression Per-file, LZ77 (Windows NT 3.51 onward) Transparent encryption Per-file, DESX (Windows 2000 onward), Triple DES (Windows XP onward), AES (Windows XP Service Pack 1, Windows Server 2003 onward) Single Instance Storage Yes Supported operating systems Windows NT family (Windows NT 3.1 to Windows NT 4.0, Windows 2000, Windows XP, Windows Server 2003, Windows Vista, Windows Server 2008) NTFS is the standard file system of Windows NT, including its later versions Windows 2000, Windows XP, Windows Server 2003, Windows Server 2008, and Windows Vista.[4] NTFS supersedes the FAT file system as the preferred file system for Microsoft͛s ͞Windows͟-branded operating systems.
    [Show full text]
  • File Allocation Table - Wikipedia, the Free Encyclopedia Page 1 of 22
    File Allocation Table - Wikipedia, the free encyclopedia Page 1 of 22 File Allocation Table From Wikipedia, the free encyclopedia File Allocation Table (FAT) is a file system developed by Microsoft for MS-DOS and is the primary file system for consumer versions of Microsoft Windows up to and including Windows Me. FAT as it applies to flexible/floppy and optical disc cartridges (FAT12 and FAT16 without long filename support) has been standardized as ECMA-107 and ISO/IEC 9293. The file system is partially patented. The FAT file system is relatively uncomplicated, and is supported by virtually all existing operating systems for personal computers. This ubiquity makes it an ideal format for floppy disks and solid-state memory cards, and a convenient way of sharing data between disparate operating systems installed on the same computer (a dual boot environment). The most common implementations have a serious drawback in that when files are deleted and new files written to the media, directory fragments tend to become scattered over the entire disk, making reading and writing a slow process. Defragmentation is one solution to this, but is often a lengthy process in itself and has to be performed regularly to keep the FAT file system clean. Defragmentation should not be performed on solid-state memory cards since they wear down eventually. Contents 1 History 1.1 FAT12 1.2 Directories 1.3 Initial FAT16 1.4 Extended partition and logical drives 1.5 Final FAT16 1.6 Long File Names (VFAT, LFNs) 1.7 FAT32 1.8 Fragmentation 1.9 Third party
    [Show full text]
  • Computing at BSU User Guide Date: September 28, 1995
    MEMO To: Faculty and Staff From: Shaun Loughney Subject: Computing at BSU User Guide Date: September 28, 1995 The following is the 1995-1996 updated inserts for your Computing at BSU User Guide. NOTE: CHAPTER 6 AND APPENDIXES B THRU E, G AND I, HAVE NO CBANGES. PLEASE RETAIN YOUR CURRENT REFERENCES. Take a look at what is new: The Center for Data Processing has added several new faces in the past year. See Chapter 1 for listing of current and new members of the Data Center. The not so new Student E-mail Server VARNEY is growing like wild fire. We have over 5000 users and are adding daily. See the Help Desk Documents BSU-01 and 02 for information on how to use the system. Several individuals on campus have pulled together and are designing a BSU Home Page for Internet access. The home page will eventually replace the Campus Wide Information System. See Chapters 2 and 5 for insight on what you will find at http://www.idbsu.edu. The Center for Data Processing has also started our own listserv, COMP-BSU. This is used to discuss campus computing issues, troubleshooting questions, and general topics of interest. See Help Desk Document Internet-05 to subscribe to listserv COMP-BSU. A couple of the Data Center's services have been improved to meet the campus needs: The dial-in access has received 16 new modems and authentication. To set up remote terminal access, see Help Desk Document COMM-05. The Faculty Computer Lab has upgraded their equipment. Several workstations are multi-media machines and have scanning ability.
    [Show full text]
  • Copyrighted Material
    Index Note to the Reader: Throughout this index boldfaced page numbers indicate primary discussions of a topic. Italicized page numbers indicate illustrations. socket identifiers, 756 A station addresses, 756 memory, 276–277, 884 AC adapters, 848 protocol, 239–240 Accelerated Graphics Port (AGP), 21, 21, SCSI, 144, 150–152 89–90, 90, 848 advanced attributes, 517–518, 517 access methods, media, 252–253 Advanced Micro Devices (AMD) processors, access points (APs), 259, 360, 385–386, 386, 848 103–104 access time, 122, 848 Advanced settings, System control panel for, Account Disabled option, 723 529–530 accounts, user advanced startup options, 566 in Windows 2000, 730–732, 730–732 in Windows 9x, 567 in Windows NT, 721–723, 722–724 in Windows 2000/XP, 567–568 in Windows XP, 736–737, 736 in Windows NT, 568–569 ACK (acknowledgment) packets, 748, 848 AGP (Accelerated Graphics Port), 21, 21, activation, Windows XP, 618–619, 896 89–90, 90, 848 Active Directory, 848 air, compressed, 282–283 active hubs, 254, 848 air cooling, 401 active-matrix screens, 47, 848 alignment, printhead, 200 active partitions, 590, 848 all-black printer pages, 203–204 active termination, 149, 849 allocation units, 591–592, 849 active windows, 502, 503 alpha releases, 434 actuator arms, 120, 120, 849 alternative operating systems, 468–469 adapter cards, 39, 849 Linux, 469–470 for building PCs, 289 Mac OS, 469 dislodged, 449 AMD (Advanced Micro Devices) processors, installing, 321–324, 322 103–104 modems, 41, 41 American Standard Code for Information networking, 704 Interchange
    [Show full text]
  • Microsoft Diagnostics and Recovery Toolset 7 Evaluation Guide
    Microsoft Diagnostics and Recovery Toolset 7 Evaluation Guide White Paper Descriptor This document provides administrators with information and steps-by-step technique for deploying Microsoft® Diagnostics and Recovery Toolset in an enterprise environment. Copyright © 2011 MICROSOFT CORPORATION Overview ................................................................................................................................................... 3 Intended Audience ............................................................................................................................... 3 Prerequisite Knowledge ....................................................................................................................... 3 Creating the DaRT 7 Recovery Image ..................................................................................................... 4 Install DaRT .......................................................................................................................................... 4 Install Debugging Tools for Windows ................................................................................................... 4 Run the DaRT Recovery Image Wizard ............................................................................................... 5 Deploying DaRT 7 Recovery Images ....................................................................................................... 8 Deployment Instructions ........................................................................................................................
    [Show full text]