-Поиск по дневнику

Поиск сообщений в rss_rss_toyd

 -Подписка по e-mail

 

 -Статистика

Статистика LiveInternet.ru: показано количество хитов и посетителей
Создан: 21.11.2008
Записей:
Комментариев:
Написано: 0

Toyd.ru





Исходная информация - http://www.toyd.ru.
Данный дневник сформирован из открытого RSS-источника по адресу http://www.toyd.ru/rss.xml, и дополняется в соответствии с дополнением данного источника. Он может не соответствовать содержимому оригинальной страницы. Цель формирования таких дневников - обеспечить пользователей LiveInternet возможностями RSS-аггрегации интересующих их источников.
По всем вопросам о работе данного сервиса обращаться со страницы контактной информации.

Для добавления этого дневника в вашу ленту друзей нажмите здесь.
Добавить любой RSS - источник (включая журнал LiveJournal) в свою ленту друзей вы можете на странице синдикации.


[Обновить трансляцию]

Создание Java-приложения “HelloJava”

Воскресенье, 30 Ноября 2008 г. 18:00 + в цитатник
Для создания программы можно использовать любой текстовый редактор, например Блокнот. Создаётся в Блокноте текстовый документ с расширением java и именем HelloJava и набирается следующий текст:
public class HelloJava
{
public static void main(String args[])
{
System.out.println("Hello, Java!");
} }
Язык Java требует, чтобы весь программный код был заключен внутри поименованных классов. Приведенный выше текст примера надо записать в файл HelloJava.java. Обязательно соответствие прописных букв в имени файла тому же в названии содержащегося в нем класса. Для того, чтобы оттранслировать этот пример необходимо запустить транслятор Java — javac, указав в качестве параметра имя файла с исходным текстом:
С: \> javac HelloJava.Java
Транслятор создаст файл HelloJava.class с независимым от процессора байт-кодом примера. Для того, чтобы исполнить полученный код, необходимо иметь среду времени выполнения языка Java (программа java), в которую надо загрузить новый класс для исполнения. Важно то, что в качестве параметра указывается имя класса, а не имя файла, в котором этот класс содержится, т.е. расширение class не указывается.
С: > java HelloJava
Если всё прошло успешно, т.е. если ни транслятор, ни интерпретатор не выдал сообщения об ошибке, то на экране появится строка Hello, Java!
Конечно, HelloJava — это тривиальный пример. Однако даже такая простая программа знакомит с массой понятий и деталей синтаксиса языка.
Строка 1
public class HelloJava
В этой строке определен один класс типа public с именем HelloJava. Полное описание класса располагается между открывающей фигурной скобкой во второй строке и парной ей закрывающей фигурной скобкой в строке 7.Заметим, что исходный файл приложения Java может содержать только один класс public, причем имя файла должно в точности совпадать с именем такого класса. В данном случае исходный файл называется HelloJava.java. Если назвать файл helloJava.java, транслятор выдаст сообщение об ошибке. И ещё если класс типа public с именем, совпадающем с именем файла, содержит определение метода main, то такой метод служит точкой входа автономного приложения Java. В этом он напоминает функцию main обычной программы, составленной на языке программирования C.
Строка 3
public static void main(String args [])
Такая большая длина строки является следствием важного требования, заложенного при разработке языка Java. Дело в том, что в Java отсутствуют глобальные функции. Рассмотрим каждый элемент третьей строки.
public
Это — модификатор доступа, который позволяет программисту управлять видимостью любого метода и любой переменной. В данном случае модификатор доступа public означает, что метод main виден и доступен любому классу.
static
Следующее ключевое слово — static. С помощью этого слова объявляются методы и переменные класса, используемые для работы с классом в целом. Методы, в объявлении которых использовано ключевое слово static, могут непосредственно работать только с локальными и статическими переменными.
void
Нужно просто вывести на экран строку, а возвращать значение из метода main не требуется. Именно поэтому и был использован модификатор void.
main
Все существующие реализации Java-интерпретаторов, получив команду интерпретировать класс, начинают свою работу с вызова метода main. Java-транслятор может оттранслировать класс, в котором нет метода main. А вот Java-интерпретатор запускать классы без метода main не умеет.
Все параметры, которые нужно передать методу, указываются внутри пары круглых скобок в виде списка элементов, разделенных символами ";" (точка с запятой). Каждый элемент списка параметров состоит из разделенных пробелом типа и идентификатора. Даже если у метода нет параметров, после его имени все равно нужно поставить пару круглых скобок. В данном примере у метода main только один параметр. Элемент String args[] объявляет параметр с именем args, который является массивом объектов — представителей класса String. Квадратные скобки говорят о том, что мы имеем дело с массивом, а не с одиночным элементом указанного типа. Тип String — это класс.
Строка 5
System.out.println("Hello, Java!");
В этой строке выполняется метод println объекта out. Объект out объявлен в классе OutputStream и статически инициализируется в классе System. Закрывающей фигурной скобкой в строке 6 заканчивается объявление метода main, а такая же скобка в строке 7 завершает объявление класса HelloJava.

http://www.toyd.ru/category/articles/sozdanie_java-prilozheniya_hellojava.html


Типы Java программ

Воскресенье, 30 Ноября 2008 г. 18:00 + в цитатник
Программы, разработанные на языке программирования Java, можно разделить по своему назначению и функциональности на две большие группы:
• Самостоятельные программы (назовём их приложения Java), работающие независимо на локальном компьютере.
• Апплеты (applets), работающие в Internet.
В настоящее время работа Java поддерживается всеми основными компьютерными платформами. Самостоятельное приложение, предназначенное для автономной работы, компилируется и выполняется на локальной машине под управлением системы времени выполнения Java. Java вполне подходит для написания приложений, которые с тем же успехом могли быть написаны на С, С++, Basic, Delphi или любом другом языке программирования.
Апплеты, которые и обеспечивают этому языку его популярность представляют собой разновидность приложений Java, которые интерпретируются Виртуальной Машиной Java, встроенной практически во все современные браузеры.
Каждый апплет — это небольшая программа, динамически загружаемая по сети с Web сервера при открытии в браузере HTML страницы, в которой имеется ссылка на апплет — точно так же, как картинка, звуковой файл или элемент мультипликации. Главная особенность апплетов заключается в том, что они являются настоящими программами, а не очередным форматом файлов для хранения мультфильмов или какой-либо другой информации. Апплет не просто проигрывает один и тот же сценарий, а реагирует на действия пользователя и может динамически менять свое поведение. С помощью апплетов вы можете сделать страницы сервера Web динамичными и интерактивными. Апплеты позволяют выполнять сложную локальную обработку данных, полученных от сервера Web или введенных пользователем с клавиатуры. Для повышения производительности апплетов в браузерах используется компиляция "на лету"- Just-In-Time compilation (JIT). При первой загрузке аплета его код транслируется в обычную исполнимую программу, которая сохраняется на диске и запускается. В результате общая скорость выполнения аплета Java увеличивается в несколько раз. Из соображений безопасности апплеты (в отличие от обычных приложений Java) не имеют никакого доступа к файловой системе локального компьютера. Все данные для обработки они могут получить только от сервера Web.

http://www.toyd.ru/category/articles/tipy_java_programm.html


Версии языка Java. Средства разработки

Воскресенье, 30 Ноября 2008 г. 18:00 + в цитатник
Язык Java с момента создания находится в постоянном развитии. В реализации Java 1.1.6 находилось 23 пакета (в Java 1.0.2 их было 8), а количество классов – 503 (211). Последняя версия языка 2.0. Что касается средств разработки приложений и аплетов Java, то первоначально они были созданы фирмой Sun Microsystems и до сих пор пользуются популярностью. Базовой стандартной средой разработки является пакет JDK (Java Development Kit) фирмы Sun. Последняя версия этого пакета на сегодняшний день 1.4.0. Средства JDK не имеют графического интерфейса и запускаются из командной строки. Существует также множество других визуальных средств, таких как JBuilder, Symantec Cafe, VisualJ, Java WorkShop, Java Studio и другие. При написании программ в данной курсовой работе мной использовался стандартный набор JDK v. 1.4.0.

http://www.toyd.ru/category/articles/versii_yazyka_java_sredstva_razrabotki.html


Enabling Windows Vista

Воскресенье, 30 Ноября 2008 г. 18:00 + в цитатник
To combat the spread of pirated copies of its products, Microsoft has developed a new technology Microsoft Product Activation (MPA).

Until recently, users who choose to install on their computers, Windows 9X/2000, had to undergo optional registration procedure, which in addition to other information required to inform the center of a number of licensing Microsoft on its own. Thus, one copy of the operating system «attributed» to a specific user, sign up to its name. License users to access the most recent software updates, become a subscriber information billyuteney Microsoft reports about new products the company could benefit from a discount when buying the next version of Windows, and, finally, in the event of a problem had the opportunity to seek assistance from a service support. The buyer operating system could refuse to register and continue to use Windows in Normal mode.

Microsoft Product Activation implies a slightly different approach to «legalization» software. During installation, Windows users are invited to enter in the special field identification code, which is usually specified in the documentation for the operating system on the package a CD-ROM or in a set of documents supplied by the buyer with a new computer. Next Windows itself analyzes the user's computer hardware configuration, has consistently oprashivaya various devices and collecting data on hardware discovery, for example, hard drive serial number or processor. When scanning an analysis of only the basic hardware components, peripherals, in particular, printers, scanners, digital cameras, the analysis does not include configuration. In the process of analyzing the computer remains inviolable to all stored on discs private information and, therefore, remains fully anonymous user Windows. No details about the identity of the owner of the computer, the computer manufacturer, producing components, as well as the programs installed on the disk are not investigated and can not be transferred.

Naturally, because the mechanism of Microsoft Product Activation Windows has become more sensitive to changes in the configuration of your computer. To activate one copy of Windows can be only one personal computer. Reinstall Windows on a single computer user may be any number of times without re-activated, but only if in the process of reinstalling was not formatted the hard drive. If the hard disk has been formatted or the system is installed on a new hard drive, to repeat the activation. Reactivation is not necessary, since if the user has replaced the previous activation on your computer to all three components. When more than three components, or when buying a new computer you want to call the nearest Microsoft and indicate the need to reactivate the operating system on the phone. There are no restrictions on the replacement of peripheral devices (scanners, printers, digital photo and video cameras) is not imposed.

The procedure for activating Microsoft Windows Vista as a whole is identical to activate Windows XP, only with one exception: Activation Wizard generally does not like about yourself, and the system does not inform the user of any time has passed since the start of the 30-day trial period. Service activation did not manifest themselves until one day deadline did not expire, and then Windows simply refuses to work. That is why Windows Vista users should not forget the need to activate.

In order to activate Windows Vista, open the Center's initial setup by running the Start> All Programs> Accessories> Center Initial, and click on at the top of the window caption Show details. In the bottom of the system, you'll see information about the current state of activation of Windows Vista, the remaining number of days of the test period, below will show the product code of your OS. To begin to activate, click on the caption Activate Windows now.

Vista, click on the caption «Activate Windows now»

Connect to the Internet and in the box to activate Windows, click Activate Windows on the network, or click on the words Show other ways to activate to activate your OS on the phone. In the first case, activation will be done automatically within a few seconds when the process will be a mistake, you'll be offered an alternative way to perform activation. Overall, there are two such ways: via direct modem connection to the center activate Microsoft (direct modem dials the number nearest point of activation) or by telephone - in this case should click on the button to use an automated telephone system.

The most optimal activation with no connection to the Internet is activated by telephone. By selecting the menu in the place you live, you'll see in the window Activation Wizard free phone number with the code 8-800, which should call to activate Windows. After you answer a few questions representative of technical support Microsoft, you connect with automatic activation. Set your phone to the tone, and follow the instructions avtoovetchika enter with the phone keypad code installation. The resulting from the user's unique code installation checked in the information base of Microsoft, then you prodiktuet answering machine code (Confirmation ID), which must be entered in the appropriate fields, located at the bottom of the Activation Wizard. Since then, the operating system is considered to be activated, and the user can continue to work with her as usual.

Desk
The first acquaintance with the operating system Microsoft Windows typically begins with an examination of the main working space user - the desktop.

Those who previously have had to deal with class OS Windows 9X/ME/2000, design desktop certainly seem familiar and commonplace. At the bottom of the screen horizontally is the taskbar, where in selecting the appropriate command minimized windows open applications. The left bottom corner of the screen takes Start button, which opens access to the Windows Start menu and labels set in the program, just right is Quick Launch, which contains a number of icons used in conjunction with Windows applications and system commands. You can arbitrarily adjust the program icons are displayed in the Quick Launch.

In the lower right corner of the screen is a special area called the notification area. It displays a clock and icons of applications running in the background. At the main space of the desktop shortcuts can be installed on the disk programs that are run by double-clicking, as well as computer System icons, Network and documents. By default, the Windows desktop is displayed only basket - a special buffer folder that is used to store your files deleted. All the other icons you can put on the desktop as they wish.

http://www.toyd.ru/category/article/enabling_windows_vista.html


Editing a sound file

Воскресенье, 30 Ноября 2008 г. 18:00 + в цитатник
Team Effects menu (Effects) program phonograph allows various operations on a sound file:

Volume Up (25%) (Increase Volume (by 25%)) - to increase the loudness of sound file to the current 25%;
Reduce the volume (Decrease Volume) - reduce the volume of audio files;
Increase speed (100%) (Increase Speed (by 100%)) - to increase the playback speed by 100%;
Reduce speed (Decrease Speed) - reduce the playback speed;
Add Echo (Add Echo) - add effects «Echo»;
Draw (Reverse) - «call» sound recordings, in other words, rewrite the soundtrack in reverse order.
NOTE
All of the above transactions are available only if the edited sound file is not compressed, that is, you see a green line in the window display recording. Otherwise, you modify the sound will not be possible.

Remove part of a sound file
To remove some of the audio file, move the slider start playing in the position corresponding to the beginning of the fragment removed, and click Delete after current position (Delete After Current Position) command Edit menu (Edit). All the audio track from the current position until the end of the file will be deleted. To remove the beginning of audio, such as «empty» interval before a song, move the slider play in the position where the sound appears, and click Delete to the current position (Delete Before Current Position) command Edit menu. The entire soundtrack to this position will be destroyed.

Mixing several records
If you want a sound place to another and to their consistent play, move the slider in the position where the wish «paste» another file, please click the Edit-> Insert file (Edit-> Insert File) and the opened window, point the way to imported audio clip.

Similarly, the mixing of two audio files is done - «confusion» two tapes into one. To do so, click Edit-> Mix with a file (Edit-> Mix with File) to open the window to indicate the program path, is added to the current.

The program phonograph package Windows XP allows you to mix (mix) from the current audio sound files are stored in the clipboard. To do this, place the regulator play in the position corresponding to the beginning of mikshiruemogo station recordings, and then click Edit-> mixed with a buffer (Edit-> Mix with Clipboard).

All of the above, it becomes apparent that the program phonograph allows import and export of various audio via the clipboard. An audio snippet can be placed in the buffer using the Edit-> Copy (Edit-> Copy), and summoned from the Edit-> Paste (Edit-> Paste).

Changing the format sound file
By default the phonograph stores audio format WAV, which is recognized by many other applications that work with sound files. However, it is possible situation in which you'll need to save the audio file in a different format. To do so, click File-> Properties (File-> Properties) to open the box sound (Properties for Sound) to choose from the menu Quality (Format Conversion) the desired mode conversion file: Recording formats (Recording Formats) - recording format or formats playback (Playback Formats) - formats for playback. Clicking Convert (Convert Now) displays the dialog box Choice audio (Sound Selection), where you can choose to convert audio files.

In the top of Choice sound is the menu of Title (Name), which provides ready-to-use standard versions of the digitization of sound. Each option has its own set of attributes, such as the frequency of the alarm, the number of playback channels and others. Among the options for digitizing the following:

The CD-ROM (Audio CD) - the best quality stereo digitization, the sounding audio CD;
Radiotranslyatsiya (Radio) - mono sound of average quality;
Telephone line (Phone line) - the most poor quality audio recording, monaural format.
You can add your own versions of digitization, put the correct values in the Format menu (Format) and attributes (Attributes), and then clicking on the button Save As (Save As), and specifying a new value menu. Unused format digitization is removed by pressing Delete (Remove).

Format menu (Format) contains a list of file formats, which can transform the current record, among them - the most common file formats, such as PCM and MP3 (MPEG Layer 3). Finally, the menu Attributes (Attributes) makes it possible to manage the qualitative parameters of the conversion file, such as the number of audio channels (mono / stereo), bitrate and frequency (speed audio). Transcoding the file begins to click OK.

http://www.toyd.ru/category/article/editing_a_sound_file.html


Working in Windows Vista

Воскресенье, 30 Ноября 2008 г. 18:00 + в цитатник
Folders and files
Before we begin the detailed examination of the files and folders, you must define the terminology we use. So, the file is called a certain amount of the same type of information stored on a tangible medium, and has its own name and extension. The file extension is designed for the unique and comprehensive identification of the type of file object, it is written right of the file name and is separated from his point. In this case, a file type of object - it is functional characteristics file, which the operating system determines the set of programs that can handle or use this file. If we consider the example of an abstract file readme.txt, it is the file name is a string readme, and its expansion - a symbol. Txt, which indicates that the file object belongs to the type of «text file» and can not be processed use any text editor such as Notepad program standard package Windows Vista.

According to established practice, divided the diversity of today files into several different classes based on their functional use. The first of these classes are the so-called user files - text documents, images, web pages and other file objects created by the computer for any particular purpose or for their own benefit. For these files, the user can assign arbitrary names, however, adopted in Windows Vista standard. Extensions of user files are usually automatically assigns them to programs in which these files are created either manually specify the user based on the type of each file and object to its further application. The second class system files - the files used by the operating system in its work. The names and expand these files predefined developers Windows Vista, and any change can potentially lead to a breach of efficiency Windows. The third class includes program files that are used in their work installed on your computer software. Their names and expand appointed by the developers of the programs. As mentioned above, file objects taken as classified by their types in accordance with a set of applications that can handle these files - in particular, to different types of files include text documents, documents, Microsoft Word, files (files containing any short data), executable files (files that can be run in the operating system in the program), etc.

File names in the operating system Microsoft Windows Vista can be recorded using numbers, symbols or national Latin alphabets, the sign «hyphen». Allowed the recording of names in the header, and in line register. Limit the length of the filename, taking into account the gaps and expansion could not be more than 255 characters. File names should not contain the following characters: \ /: *? "<|> [] ().

Permitted but not encouraged to use symbols «gap», «emphasis», «point», «point», «a semicolon», «apostrophe», as well as: ^! @ # $% & ~. Since these characters are for a system of «official» and Windows interprets them a special way, they should not be used without extreme necessity. It is not allowed to start the file name from a character point (in which case the entire text, which is located in point, the system interprets as the file extension in the absence of his name). If the first character in the file name is blank, Windows ignores it.

Files in Windows Vista displayed using special graphic images, called icons. Exterior icons depends on the type of file they object.

Folder in the operating system Microsoft Windows Vista called a special file object, which serves as a container for storing other folders or files, and displayed with a special icon with a kind of office folders. The names of all custom folders are appointed under regulations similar to the terms of naming other file objects. Keep in mind that changing the names of system and program folders or files can lead to a breach of efficiency of operating system or application software.


Attributes file objects
Each file or folder in Microsoft Windows Vista may have its own set of attributes that point to any of the possible uses of the file object. By default, there are three basic attribute of files and folders:

Read-only (Read Only) - a regime to protect files from accidental changes, edit or destroy information stored in it. If the file or folder mode «Read-only», write to them would be impossible;
Archive (Archive) - attribute of a file or folder, indicating that the object is subject to a file compression and its content can be compressed using special programs. It should be borne in mind that if you change this setting for a group of objects attribute may be unavailable in the event of the selected files from the array to be back up and the other part-no;
Quiet (Hidden) - parameter, indicating that the file object is hidden and under normal conditions in the operating sistemeWindows Vista will not be. Hidden files and folders can not use, modify, or open, if not know their name. This attribute is normally used to protect facilities from accidental file deletion.
Attributes are assigned to each file objects are identified in Windows using a special set of symbols: R - attribute «Read-only», H - attribute «Quiet», A - attribute «Archive». The list of attributes assigned to a file or folder, you can see in the Windows Explorer file manager Attributes: For example, if a file object in this field is displayed symbol RHA, it means that the file is hidden, archive and open only for reading, and if however, the designation is formulated as RA, hence, the file is open only on reading and an archive.

Change attributes a file or folder can be read as follows: click the File object, right-click and the menu that appears, click Properties. At the bottom of the opened window properties of a file or folder you'll see a list of appointees to the file object attributes. The appointment or removing attributes of files or folders implemented method of installation or reset the appropriate boxes.

In Microsoft Windows Vista in addition to the above attributes of file objects distinguish two additional defined itself file system:

Compressed (Compressed) - a file or folder is compressed software NTFS;
Encrypted (Encrypted) - a file or folder is encrypted using encryption algorithms internal NTFS.
Access to data management attributes file objects carried out by clicking the Advanced button in the General tab window properties file or folder.

Owner of file objects
Because Microsoft Windows Vista operating system is a multiplayer, this OS is actively used the concept of owner file object. The owner of a file or folder in the Windows environment is a user who created this file object and managing rights and permissions for the object, or can delegate those rights to other users of the operating system. If the file object was created automatically any program or the operating system, it appointed a general right of access (site accessible to all users of Windows), or the owner becomes the user, using an account that was set up this file object.

Association of file objects
By default in Windows Vista, double-click on a file leads to launch the associated application that uses this type of file. For example, if you double-click your mouse on the icon, a text document with the expansion. Doc, the system automatically starts a text editor Microsoft Word and download a document of your choice. This means that all files with the extension associated with the Windows Vista program winword.exe.

What you may need to change the file association objects? The most common case - the parallel use in several programs, working with the same type of files. For example, Windows Vista, all the Web pages that are expanding. Html or. Htm, the default program download Internet Explorer. Suppose that you want to use to browse the browser Firefox. To ensure that when double-clicking on the label web pages trigger precisely this application, you need to change the program association for files with extensions. Html and. Htm.

Another situation - an unknown type of operating system files, to show that Windows can not pick up the program. For example, the combined supply of many Russian-language applications often has a file readme.rus, which actually represents a normal text document containing a description of the program in Russian. For when you double-clicking on the label of such a file, Windows automatically uploading it in a text editor, you must create a new file type. Rus and associate it with Notepad.

To change the association of a file or add to the table a new association, is not yet known type of operating system files if Windows did not do so automatically, you must click on the icon of the file, right mouse button, to open the context menu, select Properties. A window will appear properties of the selected file object open on the General tab. Click Edit right of the caption application to open the window Choice program, click on a proposed list of programs, or select the desired program manually by clicking on the Browse button at the bottom of the window. For the system to «remember» a new association, check the box next to use the selected program to all files of this type.

Explorer Program
In addition to customize the files and folders, you can change the parameters of the Explorer program - these settings can change the display settings file objects and to optimize the program interface.

In order to display the various panels in the Explorer window, use Sort-> Layout. If you select this menu item Menu Bar, then at the top of the Explorer window displays the command bar, which opens access to additional settings.

Access Program can be obtained using a menu command sort-> Properties folders and search. In the dialog box appears Properties folder, open on the General tab.

Section Objectives enable or disable the presentation folders in the form of Web pages. If the item display samples, filters, in the Explorer window, you'll see a menu command, as well as support and information panels. In «classic» submission, that is the way they looked in Microsoft Windows 9X/2000, folders are displayed when selecting the item the usual folder Windows.

Under Browsing folders can be controlled using open nested folders to see: if the call to open the folder in the same window, each new folder will open in the same window as the previous one, and when to open each folder in a separate window for each folder to which you are requesting, will open a separate window Explorer.

Under clicking, you can configure the arrangement of objects in the revitalization of file clicking on their icon. In particular, the regime to open a double, and provide one-click includes «standard» mechanism of working with icons Windows: one click you can identify the object, double - open it or run it for execution. Using a single click Open, to allocate pointer to open site in one click, and the provision of the facility is happening, when the cursor to it. In doing so, you can install one of the two regimes display file objects: if you have selected Underscore signature icon, a signature to all the icons will be shown as underlined hyperlinks, just as presented text hyperlinks in your browser. If the mode Stress signature icon, when, text names of the icons will be highlighted only when you control over your cursor on the icon. Clicking on the button Restore Defaults returns all of the settings tab to the original condition.

Tab View Properties dialog box, folder contains a number of other settings, Explorer file manager. A detailed description of these settings below.

Restore previous folder windows at logon - every time I log on Windows will automatically open a folder windows that were not covered under the previous system shutdown;
Always display icons, rather than sketches - when you open folders, file objects will be displayed as icons, designs will not be shown;
Always show menus - to demonstrate to the top of the Explorer menu command, containing such items as File, Edit, View, Tools, Help;
Display full path in the title bar - the full path to the current directory will be displayed in the header Explorer window (for the classic presentation folders);
Run window with folders in a separate process - if checked, for the opening of each new Explorer window will be allocated a separate system process: if any of the open windows Explorer suddenly «povisnet», it can be closed by using Task Manager, while other windows will continue to operate;
Use Master sharing - if checked, when you open the shared folders on the network to your computer will use a special master;
Use checkboxes to select items - to select the file objects in the windows Explorer will be used boxes installed click;
Display drive letters - if checked, the windows of a conductor will be shown letters of disk drives;
Draw icons of files on the sketches - when viewing in the window Explorer file objects in the form of sketches will be shown a file icon;
Show handlers in the view pane view - in the Explorer pane view will be shown instant information about the selected sites and the viewing mode;
Show descriptions of folders and elements of the desktop -, when the cursor to a folder, file or icon on the desktop, the system will display a hint in a popup window;
Draw a simple kind of folders in the folder list Explorer - click on any folder in Windows Explorer lead to display all its contents, including subdirectories. When it opens all the other folders are automatically closed. You can open and close folders, and view their contents without the need for pre-close the previous folder;
Display information about the amount of file folders in the help text - the Explorer will display information about the size of the selected file object;
Show encrypted or compressed NTFS files are a different color - compressed or encrypted files stored under NTFS, will be allocated in the Explorer window color;
Remember each folder display settings - Explore will «remember» custom settings for each folder;
Hide protected operating system folder - Explorer will not display system folders and files Windows;
Hide extensions for known file types - Explorer will not show extensions for known file types system;
The section «When you enter text in the list», you can configure a way to enter text into the search box files. Finally, Section hidden files and folders can set up a regime demonstrations hidden file objects:

Do not show hidden files and folders - a file manager will not show hidden files and folders;
Show hidden files and folders - Explorer will display all the folders and files, including hidden;
If you want to change the settings were valid not only for the present but for all the folders on the drive of your computer, click Apply to folders at the top of the View tab windows Folder. Pressing the reset button type folders lead to the setting display all the folders back to its original state - the one that was installed immediately after installing Windows.

http://www.toyd.ru/category/article/working_in_windows_vista.html


Print Manager

Воскресенье, 30 Ноября 2008 г. 18:00 + в цитатник
Print Manager (Print Manager) - a special tool included with Windows XP, which is designed to manage a line of print. Before we proceed to discuss practical tools for working with the utility manager, the press, let us explain the term «turn the press».

Because Microsoft Windows XP is built on a multitasking architecture, is an operating system can simultaneously perform many different tasks such as processing of several documents sent by the user to print. At the same time, printer capable of printing at one time, only one document, which makes it quite slowly (if, of course, this printer is not a professional printing equipment). Thus, all documents sent to print the user from a local computer or network, arranged the operating system in place and appear on the paper one by one as the release of the printing device. Such a turn and is known in the print queue. To perform various control procedures with a print queue, there is a specialized tool Print Manager.

Call the screen window manager you can print in several different ways:

Move to Folder Printers and Faxes (Printers and Faxes) from the Control Panel folder, or Start menu, click twice (in the classic presentation of interface elements Windows) or once (in the case of web-submission interface) to sign the required printer;
if the printer has sent any task notification area displays the System Tray icon for your printer. Double click on this icon will cause the screen window manager press.
The first two of the above ways is more universal, because it allows the manager to contact the press, even if the printer is not sent at all, no problems.

CAUTION
Managing a print queue using the Task Manager is only possible for local printers that are connected directly to your computer. Changing the print queue for network printers in this way is impossible - these restrictions were imposed developers of Windows XP in order to prevent or unintended harm, which could cause another user connected to the LAN computers.

Using the interface manager print, you'll be able to fully manage the process of printing documents on your computer.

http://www.toyd.ru/category/article/print_manager1.html


Hold printing

Воскресенье, 30 Ноября 2008 г. 18:00 + в цитатник
Hold seal is used when installed on your system printer is temporarily unavailable - for example, mobile computers, disconnected from the desktop or in the case of a network printer connected to a remote server network, which in this moment is not functioning. In the case of post-print documents with Windows XP produces sent to print files all the necessary pre-operation and form a print queue, although the print itself at this point is not made. This feature is useful when you want to do all the preliminary papers to the press in advance, then no longer face this challenge: the procedure predpechatnoy processing a large volume takes not only time but also computer system resources. Use the pending print if:

used on your computer network or local printer is temporarily unavailable;
to be printing large volumes, while you want to form a print queue in advance to proceed directly to printing at a convenient time for you;
to be printing a large amount of processing which takes a lot of system resources while you have the opportunity to highlight their advance in order to later use all the resources of other tasks.
To use the printer in Print and Hold, have done the following sequence of operations:

Navigate to the folder Printers and Faxes (Printers and Faxes) from the Control Panels or Start menu;
right-click the icon you use the default printer and select the menu that appears Hold seal the box (Use printer offline). If this setting is not on the menu printer, which means that the use of post-print on your computer, for whatever reason, it is impossible;
submit all required documents to print in normal mode;
when you decide to proceed to print documents from your queue formed, again, go to Printers and Faxes folder and reset the box Hold print on the menu printer;
wait until the press documents.
NOTE
Operating system Microsoft Windows XP «can» independently monitor the connection to a computer, printer and if the printer is not available, automatically switch to Hold Press. Recheck your printer is carried out at regular intervals. If Windows detects that you use the default printer is available again and ready for use, displayed a special box that offers to print documents. You can accept the invitation of the beginning of the press by clicking the OK button, or continue to use the printer in Print and Hold, which should click on the Cancel button (Cancel).

http://www.toyd.ru/category/article/hold_printing.html


Tray Microsoft Windows XP

Воскресенье, 30 Ноября 2008 г. 18:00 + в цитатник
Tray
Tray Microsoft Windows XP (Taskbar) by default located at the bottom of the screen and consists of several elements. In the right pane of tasks is called the system tray (Notification Area) - a special section designed to display system notifications, reports of hardware discovery, as well as icons of programs running in the background. Also in the notification area, placed the system clock and calendar. Language is the left panel (Language Bar), which includes LED keyboard. In the left pane of tasks placed the Start button (Start), opening access to the main menu Windows, and custom toolbars. The main space Tray set aside to display icons inactive at this point in time applications that the user is minimized click on the button Close the window.

Moving System Tray on the screen
You can move the taskbar on the screen, placing it along the left, right or top of your desktop. To do this:

right-click any of a point icon in the taskbar, and the resulting shortcut menu reset the box next to Lock the taskbar (Lock the Taskbar);
mouse over any free points from the System Tray icon, then hold the left mouse button, move the taskbar on the screen. Release the left mouse button when the taskbar to reach the desired position.
Changing the vertical size Tray
If you turn off the grouping of tasks may experience a situation in which the icons of running applications will not go easy on their display area Tray. In this case, you can increase the vertical size Tray. Procedure:

right-click any of a point icon in the taskbar, and the resulting shortcut menu reset the box next to Lock the taskbar (Lock the Taskbar);
Mouseover upper limit Tray in a way that it has adopted a vertical type of bi-directional arrows. While pressing the left mouse button, move the upper limit Tray on the screen.
Hiding the System Tray
Typically, in the process of working with the operating system the user is drawn to the System Tray only if it is necessary to switch from one running program to another, open the Start Menu or changed by a mouse keyboard. Thus, in some cases it makes sense to hide the taskbar is outside the working space until it is you do not need. In quiet mode, the taskbar will automatically appear when approaching the cursor to the appropriate boundary screen's viewing area. In order to hide the taskbar, you must do the following sequence of actions:

right-click any of a point icon tray and the menu that appears, click Properties (Properties);
in the Registration System Tray (Taskbar Appearance) opened the Properties dialog box tray and the menu «Start» (Taskbar and Start Menu Properties), check the box automatically hide the taskbar (Auto-hide the Taskbar).
Subsequently, you can cancel hide the taskbar dropping this box.

Grouping similar tasks
In the case of simultaneous loading of several programs in a Microsoft Windows inactive applications minimized in the taskbar, making it sooner or later, When it is available. In order to decongest the taskbar and release more working space to display the icons of running applications, you can include a mechanism grouping tasks, which presented similar programs running on your computer at the same time, are combined in a logical visual group. You can include a grouping of tasks by following these steps:

right-click any of a point icon tray and the menu that appears, click Properties (Properties);
in the Registration System Tray (Taskbar Appearance) opened the Properties dialog box tray and the menu «Start» (Taskbar and Start Menu Properties) check Group similar buttons in the System Tray (Group similar taskbar buttons).
Subsequently, you can undo the grouping of tasks, dropping this box.

Display System Tray on top of other windows
By default, the taskbar is displayed on top of boxes running applications. You can disable this mode: in this case, the program will be able to unfold in full screen and the taskbar will be located below them and become invisible. To do this:

right-click any of a point icon tray and the menu that appears, click Properties (Properties);
in the Registration System Tray (Taskbar Appearance) opened the Properties dialog box tray and the menu «Start» (Taskbar and Start Menu Properties) reset the box Have the taskbar on top of other windows (Keep the Taskbar on top of other windows).
Office location of the windows
You can control the relative positioning of windows running applications using the context menu Tray. Clicking the right mouse button at any point of a System Tray icon, select the menu that appears, one of the possible modes of windows on the screen:

Windows cascade (Cascade Windows) - windows applications will be displayed one above the other on a diagonal screen;
The windows from top to bottom (The windows vertically) - the application window will be placed vertically one with another;
The windows from left to right (The windows horizontally) - Window applications will be placed horizontally;
Show Desk (Show the Desktop) - windows all applications will automatically be rolled into the taskbar.

http://www.toyd.ru/category/article/tray_microsoft_windows_xp.html


Changing the design desktop

Воскресенье, 30 Ноября 2008 г. 18:00 + в цитатник
You can arbitrarily change the background color and graphic design your desktop. To do this:

right-click any free icons point the Windows desktop, and the menu that appears, click Properties (Properties);
go to the Desktop tab (Desktop) Properties dialog box: Display (Display Properties).
For this tab, two functional areas: the top is a picture display on the screen which shows the appearance of the desktop Windows XP after a change in its setup menu is below Wallpaper (Background), which includes titles available in the background image on your desktop. Select the desired background image, you can click on any of the titles offered on the menu Background.

If the background desktop you plan to use the so-called «wallpaper» - small graphic files, geometric size much smaller than the size of the desktop Windows, you can specify the positioning of «wallpaper» image on the screen using the menu Location (Position), consisting of three Features display «wallpaper»:

Center (Center) - centered on your desktop (the rest of the space is filled with background color);
Zamo[ (Tile) - Figure «wallpaper» will multiply «repeated» vertically and horizontally to fill the full desktop space;
Stretch (Stretch) - Figure «wallpaper» would «stretched» to the entire space on your desktop.
In order to set as desktop background image an arbitrary image file, for example, a scanned picture or downloaded from the Internet a picture, click the Browse button (Browse), the right of the menu Wallpaper (Background), and then tell the system what path to the folder , In which the original image is stored. As such images can be used graphics files formats BMP, GIF, JPEG (JPG), DIB, PNG, or documents containing the code markings HTML (HTM or HTML).

Set the background color of the desktop, you can by clicking on the menu Color (Color). In the on-screen menu, you will be offered a palette consisting of twenty basic colors. If you want to choose another color, click on the button Other (Other), causing on-screen dialog box Color (Color).

In the left top of the window is a palette of colors Basic (Basic Colors), consisting of forty-eight basic colors. Right hosted a special area that includes the entire color spectrum, in the form of the gradient: clicking on the image of flowers left mouse button, you can select the desired shade, located right vertical slider controls the saturation selected tone. Your color is shown in color / Fill (Color / Solid): thus, changing the color settings such as hue and saturation, you can control the result. If you want to adjust the characteristics of the selected color manually (each color system is perceived by the standard RGB, in other words, the color is treated as a combination of red, blue and green hues), your service has a set of special fields in which you can specify the following colors by typing with the keyboard:

Hue (Hue) - determines the tone colors ranging from 0 to 239. If you specify a certain numerical value shades, this value will be changed to red, green and blue components of the selected color;
Contrast (Sat) - determines the contrast of the shades in the range from 0 to 240. The higher the saturation, the more bright and clean and look like color;
Saturation (Lum) - determines the brightness of colors ranging from 0 (black) to 240 (white);
Red (Red) - saturation of red shades in the color according to the standard RGB range from 0 to 255;
Green (Green) - saturation of green shades in the color according to the standard RGB range from 0 to 255;
Blue (Blue) - saturation blue hue in the color according to the standard RGB range between 0 and 255.
Once the parameters entered requisite color, you can add this in a custom color palette by clicking the Add button in the set (Add to custom colors). In the next dialog box Color (Color) is the color palette will be displayed in additional colors (Custom colors), beneath the basic palette of colors. To fix the color settings and return to the Desktop tab (Desktop) dialog screen: Properties (Desktop Properties), then click OK.

http://www.toyd.ru/category/article/changing_the_design_desktop.html


Downloading multiple operating systems

Воскресенье, 30 Ноября 2008 г. 18:00 + в цитатник
Downloading Windows 9x and Windows XP
In order to be able to dual-boot Microsoft Windows 9x/ME and Windows XP, enough to install Windows XP from Windows 9x in preserving the current version of the operating system (new treatment plant). Relevant this configuration file boot.ini will be created automatically. About how to install Windows 9x from Windows XP and saving them to disk boot record, will elaborate further.

Loading more compatible with Windows NT version
If you want to simultaneously use your computer for several versions compatible with the technology of NT operating systems like Windows NT 4.0, Windows 2000 and Windows XP, enough to install Windows XP from the current version of Windows in the preservation of the current operating system (non-New installation). Relevant this configuration file boot.ini will be created automatically. If in the process of installing Windows NT/2000 boot record was destroyed, use the Recovery Console to determine the correct configuration file boot.ini.

Loading multiple versions of Windows 9x and Windows XP
Often a situation arises in which in addition to Windows XP, you need to use your computer for several earlier versions of Windows, such as Windows 98 and Windows Millennium Edition. It should be noted that, without some additional resources, this task is not trivial, since operating systems Windows 9x line write their own download files in the root of primary hard drive by default and does not allow multiple boot.

To set up the launch of multiple versions of Windows 9x in conjunction with Windows XP, you can use a boot manager of independent producers. Boot into already used your version of Windows 9x and install this program, then follow the enclosed installation My Boot Manager instructions (they are stored in a subfolder DOCS folder) that install another version of Windows 9x. Then you can proceed to install Windows XP in preserving the current version of the operating system (new treatment plant).

There are also many other similar programs that perform multiple booting Windows 9x and Windows XP. Their widest range can be found at the site, offering visitors free software.

Downloading Windows XP and Linux
Many prefer to use in conjunction with Microsoft Windows XP alternative operating systems, such as one of the realizations of a family of OS Linux. In doing so, with an objective point of view this is the most comfortable configuration multizagruzchika in which version of Linux is available to download immediately after the computer directly from the menu multiple boot Windows XP.

To configure multizagruzchik accordingly, it is necessary to act in accordance with the following algorithm. Install Linux in its own disk partition, as LILO (LInux LOader) - a special program, administering loading Linux, - in the primary sector section Linux, in other words in the SUPERBLOCK, since the installation of LILO in the MBR will inevitably destroy the boot record XP. Then, using standard tools dd package Linux or any other similar tool with similar functions, create in the top section of the main disk file Linux boot sector with a random name. By default, most utilities designate a file name or bootsect.lnx boot.lnx, but there are no standards, which require a user to apply exactly such a symbol. What was needed was to link multizagruzchik Windows XP file boot sector Linux. To do this, open for editing boot.ini, and add the section [Operating Systems] the following:

C: \ bootsect.lnx = "Linux"

NOTE

With each replacement of basic components of the system or boot sector Linux, for example, when installing a new kernel with LILO, need to re-create the file boot sector.

There are special programs that will automatically generate bootsector Linux file and add the record about it in the file boot.ini. One of them - utility BootPart produced by Gilles Vollant Software. You can download the program from a Web site developer, located at http://www.winimage.com/bootpart.htm

Downloading Windows XP and MS-DOS, Windows 95/98/Me
Operating systems of production by Microsoft, starting with versions of Windows 2000 and Windows Millennium Edition, do not support MS-DOS, because developers believe that this platform is already hopelessly outdated and its continued use is futile. Does not support MS-DOS and Microsoft Windows XP. But there is still used by a number of specialized programs that can run only in MS-DOS, in particular some of the game, a number of instances of databases and tools to work with FTN-networks. Also, there was full support for DOS operating systems Windows 95 family, including versions OSR1-OSR2.5.

The easiest option trehvariantnoy boot in Windows XP, Windows 95 and MS-DOS is the installation disc for Windows 95 and later - Windows XP. After installation is complete, click multizagruzchika a record Microsoft Windows, when choosing where to begin loading Windows 95. Click F8, you will proceed in their own menu multizagruzchika Windows 95, where you can select Boot to Previous Operating System, or Command Prompt Only, initiates the download MS-DOS. If you want to use your computer only MS-DOS and Windows XP, you must install DOS on the disc and start installing Windows XP from the command line. In both cases, the installer copies the Windows XP boot record MS-DOS / Windows 95 in a special file bootsect.dos, used the system as customizable boot sector. In doing so, multizagruzchik be configured so that multiple boot menu will appear Record Previous Operating System on C:, referring to the root of the main system drive. It should be remembered that boot records MS-DOS 5-6.22 and Windows 95/MS-DOS 7.0 somewhat different, so setting up multiple boot of the two systems can cause some difficulty.

The first versions of Windows 95 attended an error that was corrected only in versions OSR2.5. This error caused fatal system crash when you try to boot using Boot to Previous Operating System. This software defects can be corrected to read: running the car with a boot disk DOS, open the file msdos.sys to edit and add to the section [options] the following directive:

BootMulti = 1

But from an objective point of view, this approach - dvuhvariantnaya download or MS-DOS and Windows XP, or Windows 95 and Windows XP - is not always convenient. For example, you might want to trehvariantnaya direct download in MS-DOS, Windows 9x/ME and Windows XP. You can customize multizagruzchik so that he maintained a regime, however, because the MS-DOS and Windows 9x deploy its own boot records in the same disk partition, such a setup would require some effort.

Set your computer to MS-DOS (for example, the version of DOS 6.22). Now you need to create a custom boot record for the operating system: You can use special tools, in particular the program of Norton Disk Editor package Norton Utilities for DOS. Let's call this file bootsec.w40. Now install the «over» DOS Windows 9x, and then create another file to the boot sector of the system with the name bootsect.dos. Now you can begin to install Windows XP, at the end of which in the [operating systems] boot.ini file to add the following lines:

c: \ bootsec.dos = "Windows 95" / WIN95

c: \ bootsec.w40 = "MS-DOS 6.22" / WIN95DOS

Odnovariantnaya download
If you want your computer is loaded only with Microsoft Windows XP multizagruzchika bypassing the menu, go to edit the file boot.ini, in the [boot loader] record as an argument directive default path to your installation of Windows XP in the form of ARC-sequence, then change the timeout, making it equal to zero, and delete all entries in the [operating systems]. For example, if your copy of Windows XP installed in the folder C: \ Windows, and your C: drive is an IDE, boot.ini, may be as follows:

[boot loader]

timeout = 0

default = multi (0) disc (0) rdisk (0) partition (1) \ WINDOWS

http://www.toyd.ru/category/article/downloading_multiple_operating_systems.html


Loading the alternative mode

Воскресенье, 30 Ноября 2008 г. 18:00 + в цитатник
Loading a system of alternative treatment may be needed if in the process of working with Microsoft Windows unexpectedly have any failures or mistakes, which eliminated the usual methods fail. Here is a vivid illustration of a possibility of alternative modes: suppose you decide to use Windows XP driver of a new device, but after its installation revealed that the computer is started «stop» in the boot process, not allowing to enter the system and remove the «bad» driver . Start Windows in the protection of failures (Safe Mode), you can eliminate the defect, then get the opportunity again to boot the computer in the staffing mode.

When you turn on your computer, without waiting for start Windows, press F8. On the menu is an alternative system of loading Windows Advanced Options Menu.

When the arrow keys, select the desired mode boot from the list, then press Enter. Among the available modes need to download the following:

Safe Mode-security mode of failure. In this mode, Windows will load into memory only the drivers and services that are minimally required for the system, ie, software modules, causing disruptions in the normal boot Windows, will not be used. You can delete or customize them in Safe Mode, and then restart the system normally. It should be noted that in the protection of malfunctions Windows does not load the drivers support network and video computer forcibly set to VGA, therefore, fully operational with a computer in this case is impossible. Set up your system in the protection of failures, and then restart the computer in the staffing mode;
Safe Mode with Networking-protection regime of failure to support the network. In addition to basic drivers and services will be loaded into memory as drivers of network adapters and protocols of data transmission that will allow you to work with local network in a limited mode;
Safe Mode with Command Prompt-the regime was included in the menu instead of downloading an alternative mode Command Prompt Only, well familiar to users Windows9x. In this case, Windows also runs in the protection of failures, but instead of a graphical user interface on the screen displays a window emulate MS-DOS, which you can perform all the teams to work with DOS disks and files. When using this mode should remember that you are working on it with an emulator DOS, but did not start the session DOS, allowing the use of all functions of the operating system, so some teams may not be available. If desired objective can not be solved in Safe Mode with Command Prompt, used for this purpose Recovery Console;

Enable Boot Logging-in the launch of Windows will consistently record information about how to download a file in bootlog.txt, which later you will be able to analyze in the search for causing disruptions or problems unstable operating module;
Enable VGA Mode-Windows will start using Video VGA. In this case will involve standard driver, additional drivers will not be loaded;
Last Known Good Configuration-in this mode, Windows will zagruzhatsyas use the registry entries made in the last unloading system when Windows is running normally and smoothly. For example, restart the computer in normal mode, you install a new driver, causing «crash» and the need for emergency reboot. In the Last Known Good Configuration Windows will use the registry entries made during the previous normal restart when «bad» driver has not yet been set;
Directory Services Restore Mode - Mode is intended for use on a network server in order to restore the damaged folders SYSVOL (public Folder, which stores copies of files shared server for this domain) and Active Directory. Active Directory-is a special service that allows you to store information on various local network and opening access to information for users and system administrators. Active Directory allows you to access network resources available to all network users using a single procedure for authentication. For system administrators Active Directory offers an opportunity to work comfortably with the network and manage all network sites using a single connection;
Debugging Mode-if you install Windows on your computer you are using the mechanism of Remote Installation Services, this mode allows you to upload take advantage of additional opportunities for disaster recovery system using Remote Installation Services;
Start Windows normally-launch Windows in the staffing mode;
Reboot-restart your computer;
Return to OS Choices Menu - closing menu of alternative loading and return to select the operating system multizagruzchika a re-run the Windows normally, if multizagruzchik on your computer is idle.

http://www.toyd.ru/category/article/loading_the_alternative_mode.html


«Rolling» to previous versions of Microsoft Windows

Воскресенье, 30 Ноября 2008 г. 18:00 + в цитатник
Often, after you install Windows XP on a variety of reasons, there is a need to revert to an earlier version of Microsoft Windows, such as Windows 9x/ME, while preserving the possibility of booting Windows XP. Unfortunately, when you install «default» Windows 9x/ME destroys the boot sector, Windows XP, instead placing it on a disc custom boot record, thus you will lose access to multiple boot menu, even in the top section of the disk to save files and boot ntldr . ini. In order to painlessly install Windows 9x/ME «over» Windows XP, while preserving the opportunity to boot into the operating system, you must do the following.

Navigate to the folder where Windows stores distribution 9h or Windows Millennium, Find the it file msbatch.inf (if such a file in the distribution does not exist, create a simple text file with this name) and record it the following lines:

[Setup]

CleanBoot = 0

Now you can boot into MS-DOS and begin installing Windows 98/ME in normal mode, because the installer Windows 9x does not destroy the boot sector XP. After installation is complete, you will only edit the appropriate file boot.ini, to include the option of Startup menu in Windows 9x/ME multizagruzchika.

CAUTION
Installation of Windows 9x/ME «over» Windows XP should be implemented only in its own disk partition. Do not install an earlier version of Windows in a section where there are already stored Windows XP, and even more so - in the same system folder.

In most cases, the distribution at Windows 9x/ME is a CD-ROM that completely eliminates the ability to create files in it. Furthermore: Microsoft licensing discs contain so-called image (ISO), resulting in an attempt to copy files with such a CD to your hard disk will entail damage to a copy of the distribution and installation of Windows will fail. If you are installing Windows 9x/ME with the distribution CD-ROM, create a file on your hard drive msbatch.inf as described earlier, and then restart the computer in MS-DOS and start installing Windows by using the following commands:

Drive: \ put_k_distributivu \ setup.exe drive: \ put_k file \ msbatch.inf

For example, if you boot to DOS from the boot floppy, file msbatch.inf stored in the root folder of drive C:, and distribution Windows 9x/ME - CD-ROM drive E:, the team will be:

A: \> E: \ SETUP.EXE C: \ MSBATCH.INF

If the boot sector is damaged
If you have already installed Windows 9x/ME from MS-DOS with a drive installed prior to Windows XP, you could lose access to multizagruzchiku, leaving when my computer will immediately boot Windows 9x, and multiple boot menu no longer appear on the screen. A similar effect can be achieved by performing during the conversation, DOS command sys c:.

The most unpleasant in this situation is that you will not be able to run the Recovery Console, because the version of her boot was «buried» along with multizagruzchikom Windows XP, and the use of an emergency floppy disk recovery in danger of Pre-disk partitions, and as a consequence - the loss of stored their information. In turn, the prospect reinstall Windows XP unlikely to be able to please the user.

Boggle such a situation should not be. Indeed, in this case not to be anything other than to begin installing Windows XP again. However, reinstall the system did not need. Start the installation of Windows XP and wait until the first restart, followed by the installation, you can stop: the boot sector will be restored. You will only edit the appropriate file boot.ini, then you can use the Windows 9x and Windows XP normally.

http://www.toyd.ru/category/article/rolling_to_previous_versions_of_microsoft_windows.html


Active Desktop Windows XP

Воскресенье, 30 Ноября 2008 г. 18:00 + в цитатник
A defined area of the desktop Windows XP can be presented in the form of web-page containing a hyperlink, or any other elements supported by the standard HTML 4.0. If the ease of Windows you plan to incorporate into the design of your desktop, interactive web-page, have done the following sequence of operations:

Prepare HTML-document containing all the elements you need, such as links to your favorite web-sites;
right-click any free labels point of the Windows desktop, and the menu that appears, click Properties (Properties);
go to the Desktop tab (Desktop) Properties dialog box: Display (Display Properties);
then click Customize Desktop (Customize Desktop);
tab, go to the Web (Web) dialog Elements Desktop (Desktop Items);
click Create (New). A window will appear Wizard new element of the desktop (New Active Desktop Item).
Clicking on the Browse button (Browse), enter the system path to the desired HTML-document, then click OK. You can download the web-page directly from the World Wide Web by typing in a field near the URL. Your preference HTML document will appear on the list of Web pages (Web pages) window Elements Desktop (Desktop Items).

Remove web-page from the list, you can click on the Delete button (Delete), clicking on the Properties button (Properties) will lead to opening the window that contains information about the HTML-document.

Properties window active element Desktop contains three tabs. The first of these, Document Internet (Web Document), includes general information on the site: size, the time needed to download information on its physical location. If the web-page is downloaded from the Internet, you can make it accessible and offline, check this page available offline (Make this page available offline). Schedule Tab (Shedule) allows you to adjust to this element of the desktop phone to automatically synchronize.

NOTE
Synchronization of Active Desktop and web-content Favorites folder automatically update downloaded from the Internet and locally stored web-pages available offline, according to the latest developments of the documents on the Internet. Thus, while offline viewing, you will always be available to the latest versions of web-pages that change frequently (the column of news, weather forecasts, quotes and rates, TV programs, etc.).

There are two modes of synchronization of Active Desktop, displayed a switch to synchronize elected (Synchronize Favorites):

1. Only when you click Synchronize from the Tools menu.
2. Using the calendar.
Add a new timetable in the list of synchronization, you can click on the Add button (Add). A window will appear new schedule (New Shedule), at the top of which you can specify the frequency synchronization. To do so, enter the appropriate numbers in the left field (for example, when entering the number 7 Timing will be done once every 7 days) and specify the time of launch procedures for synchronization in the format HH: MM. The following is to introduce an arbitrary name for the synchronization. If you want to be in sync automatically connects to the Internet, check the bottom of the window.

If your computer is connected to the Internet, you can immediately start the process of synchronization. To do this, click Synchronize (Synchronize) in the box Elements Desktop (Desktop Items).

Tab Loading (Download) window properties of the element Active Desktop allows you to set up an autonomous view obtained from the Internet web-page. If the web-page, you use as part of Active Desktop, contains links to other documents, you can make them available for offline viewing, indicating the depth of links, which should download files from the Internet. For example, if placed on the desktop web-page contains links to three other papers, each of which recalls another three, with a depth of 3 references to your hard disk will be downloaded every 12 web-pages, after which they will become available when offline viewing . By checking the box Limiting the use of disk space (Limit hard-disk usage for this page to), you can specify the maximum aggregate size of the downloadable from the Internet web-content in kilobytes. By clicking on the Advanced button (Advanced) you get a chance to ask those components of web-pages to save on the disk: in this list, the following types of components: images, sounds and videos, ActiveX controls and applications Java. In order to prevent any of the two types of components needed to reset the appropriate boxes, you can also prevent references to such components, check Download links only to documents HTML (Only to HTML pages).

You can configure the automatic notification of changes to used as part of Active Desktop web-page e-mail. To do this, the box element Active Desktop, type in the e-mail (E-Mail address) e-mail address to which to send the notice, and that your mail server (Mail Server) - SMTP-mail server to send messages. If you log on to the server, where this is a web-page, ask your password, you can configure automatic connection to the server by clicking on the button Log (Login).

As an element of Active Desktop can be used by the standard templates offered by Microsoft, which are available for free download on the server http://www.microsoft.com These templates are web-pages with information about weather, news channels, the page containing the links to music and entertainment resources. Choose one of the standard elements of Microsoft Active Desktop, you can click on the button Gallery (Visit Gallery) in the Wizard new element of the desktop.

Web-components of the desktop displayed in random scalable screen format, which you can move around the screen using the mouse. If you want the geometric size and screen position of the active component of the Windows desktop has always remained the same, check Lock desktop items (Lock Desktop Items) in the box Elements Desktop (Desktop Items).

http://www.toyd.ru/category/article/active_desktop_windows_xp.html


Desk Microsoft Windows XP

Воскресенье, 30 Ноября 2008 г. 18:00 + в цитатник
The first acquaintance with the operating system Microsoft Windows XP should begin with an examination of the main working space user - desktop Windows, called the English version of the OS Desktop.

Those who previously have had to deal with class OS Windows 9x/ME/2000, certainly draw attention to one characteristic of the new operating system: Windows XP Desktop contains only a single icon - the cart, different icons, traditional for previous versions of Windows, such as My Computer, My Documents or browser Internet Explorer, the desktop available. This was changed in the interface of Windows XP in order to allow the user to customize your desktop exactly as it should, and place it precisely the icons and shortcuts, which are needed for the job. In this section we will examine in detail all available in Windows XP desktop settings.

http://www.toyd.ru/category/article/desk_microsoft_windows_xp.html


The Office of visualization

Воскресенье, 30 Ноября 2008 г. 18:00 + в цитатник
When you play audio Windows Media Player, you can browse the various visual effects of the standard set. To select the desired effect (it will be displayed in the window throughout the playing of music files), you must click on Select visual image (Select Visualization) in the control panel visualization.

By clicking on this button appears on the screen menu, where you can select the video:

Landscape schedule (Album Art) - in Windows Media Player will consistently shown graphic images of what's in the program;
Atmosphere (Ambience) - This video includes fourteen regimes, each screen will be shown continuously changing color spots and eddies. To select a specific treatment for this video, click Choice visual image or in a window display visualization of the right mouse button, then click enter the desired item in the menu;
Figure (Bars and Waves) - demonstrates the on-screen color graphics to make the sound, imitating the dynamic image on liquid crystal panel Music Center. Video has four display mode: their preferences, right-click on the button Selection of visual image, then enter the desired item in the menu;
Battery (Battery) - video showing the window visualization dynamically changing figures, outlines of which peretekayut smoothly into each other. Has 26rezhimov display;
Particle (Particle) - in Windows Media Player will disappear poyavlyatsyai different designs, consisting of multi-colored light-emitting points;
Optical (Plenoptic) - the regime of seven similar video showing on a computer screen continuously changing colored spots of different shapes and shades;
Thorns (Spikes) - this mode of visualization displays in the window Proigryvatelya colored objects round consisting of a set of constantly changing its length rays;
Cvetomuzyka (Musical Colors) - the name of the group, comprising twenty different video, speaks for itself. The screen will be shown different images, reminiscent of its type effects obtained when tsvetomuzykalnoy equipment.
Located right buttons allow the move to the next or previous visual effect on the list.

In particular, the Back button allows you to move to the previous regime visualization from the list. Forward button switches the program to the next on the list of visuals.

Set up a profile play music or video, you can expand the picture in full screen by clicking on the right side of the control panel, click Full-screen visualization (Full Screen). Reverse switch from full-Proigryvatelya in windowed mode is carried out by pressing the button Esc. Options display video in full screen mode - namely, the appearance of various components of the player, is controlled via the View menu-> mode full Parmetry (View-> Full mode options). By default, the demonstration of any element of the management of the program in full-screen image output is off.

Each of the effects of Windows Media Player has several working modes, you can customize them through the View menu-> Visual images (View-> Visualization). To select visualization go in the name effect submenu and then click the box next to the regime that you want to make active. You can also download additional visual effects from the World Wide Web by clicking on the Tools menu (Tools) para Download visual images (Download Visualizations). The screen automatically opens a browser window Microsoft Internet Explorer, which tries to connect to the page in a web-server Microsoft.

http://www.toyd.ru/category/article/the_office_of_visualization.html


Playing audio and video files

Воскресенье, 30 Ноября 2008 г. 18:00 + в цитатник
The main purpose of the program Media Player Windows Media - is playing audio and video files of different formats. Immediately after installing Windows XP, most of multimedia files such as audio WAV, MP3 and MIDI, as well as video format, MPEG, are already associated in the player Windows Media, and they play a double-click the icon corresponding file. However, play audio and video with Windows Media Player can be in other ways.

To listen to or view multimedia files stored on the hard drive of your computer or on disc one connected to a network of computers, it is necessary to do the following:

Start Windows Media Player sequence of commands Start-> All Programs-> Accessories-> Entertainment-> Player Windows Media (Start-> All Programs-> Accessories-> Entertainment-> Windows Media Player);
Click File (File) at the top of the Windows Media Player and appeared in command menu, click Open (Open);
in the dialog box, open the file point the way and the name of the corresponding audio or video, then click Open (Open).
In order to play the file, located in one of the Internet servers, click on the link indicating the file either by running player Windows Media, select Open the address URL (Open URL) in command from the File menu (File), and then, pointing URL to a file, click the button OK.

To control the playback of files is the number of special buttons to the toolbar across the bottom of the window Proigryvatelya Windows Media:

Play (Play) - start playing the file;
Pause (Pause) - pause playback;
Stop (Stop) - stop playing the file.

Buttons fast it can control the current position of playing audio or video clip, their appointment (from left to right) the following:

play the previous file;
play the next file;
Mute.
In order to adjust the volume or audio playback, video, audio track, place your cursor over the volume and, holding the left mouse button, move it in the right direction.

In the same way to move the regulator play to start listening to file with the correct position (focused on the testimony of a timer and an indicator recording).

To arrange a continuous playback of an audio CD or audio files use the Play-> Repeat (Play-> Repeat), a record for playing the CD-ROM or audio files in random order - playback features-> In random order ( Play-> Shuffle), or simply press the keyboard shortcut Ctrl + H.

Eject the CD from your CD-ROM drive will combine «shortcuts» Ctrl + E.

http://www.toyd.ru/category/article/playing_audio_and_video_files.html


Windows Media Player

Воскресенье, 30 Ноября 2008 г. 18:00 + в цитатник
The program Media Player Windows Media (Windows Media Player) - is a special program to play all your digital media files. In fact, Windows Media Player includes the performance of the player sound, and CD-ROMs, television and radio that can receive digital audio and TV channels from the Internet, with videopleyera and VCR, programs for copying CDs. Windows Media Player, you can generate lists of playing files as well as look for music and video into the World Wide Web. The program is built on the principle of «all in one», become your irreplaceable assistant in the hours of leisure.

To run Windows Media Player, please click Start-> All Programs-> Accessories-> Entertainment-> Player Windows Media (Start-> All Programs-> Accessories-> Entertainment-> Windows Media Player).

http://www.toyd.ru/category/article/windows_media_player1.html


Enabling Windows XP

Воскресенье, 30 Ноября 2008 г. 18:00 + в цитатник
To combat the spread of pirated copies of its products, Microsoft has developed a new technology Microsoft Product Activation (MPA).

Until recently, users who choose to install on their computers, Windows 9x/2000, had to undergo optional registration procedure, which in addition to other information required to inform the center of a number of licensing Microsoft on its own. Thus, one copy of the operating system «attributed» to a specific user, sign up to its name. License users to access the most recent software updates, become a subscriber newsletters Microsoft reports about new products the company could benefit from a discount when buying the next version of Windows and, finally, in the event of a problem had the opportunity to seek assistance from the Technical Support . The buyer operating system could refuse to register and continue to use Windows in Normal mode.

Microsoft Product Activation implies a slightly different approach to «legalization» software. During installation, Windows XP users are invited to enter in the special field identification key product (Product Key), which is usually specified in the documentation for the operating system on the package a CD-ROM or in a set of documents supplied by the buyer with a new computer. Next Windows itself analyzes the user's computer hardware configuration, has consistently oprashivaya various devices and collecting data on hardware discovery, such as hard drive serial number or processor. When scanning an analysis of only the basic hardware components, peripherals, including printers, scanners, digital cameras, the analysis does not include configuration. In the process of analyzing the computer remains inviolable to all stored on discs private information and, therefore, remains fully anonymous user Windows. No details about the identity of the owner of the computer, the computer manufacturer, producing components, as well as the programs installed on the disk are not investigated and can not be transferred.

When you first start Windows XP automatically starts the Activation Wizard Windows (Fig. 3.6).

Based on information gathered during the analysis of configuration and user-entered the product key (Product Key) Activation Wizard generates a unique code installation (Installation ID). Installation ID unique to each individual computer and allows you to uniquely identify a computer to set its equipment. If your computer is connected to the Internet, the installation code can be transmitted to the Center for licensing Microsoft directly over the network, in which case the activation process takes a few seconds. If the buyer does not use Windows Internet, it can communicate its code install Microsoft employees in any other way: by letter, fax or call your local Microsoft office in your area (coordinates must be stated in the documentation for your operating system). Practice shows that the length of the telephone conversation ranges from five to fifteen minutes (see fig. 3.7.).

If a city where you live, there is no representation of Microsoft, the corporation is ready to assume the costs of intercity call to activate Windows. To do this, you should call the nearest regional center for Microsoft, to indicate their desire to activate the operating system and call your phone number: after a while Microsoft specialists are calling the listed number. In this case, «a call» (call back), regardless of its duration will pay Microsoft.

The resulting from the user's unique code installation checked in the information database Microsoft: if the copy of Microsoft Windows has not yet passed the activation process on the computer, users have reported the confirmation code (Confirmation ID), which he must put in the appropriate box on request Activation Wizard. Since then, the operating system is considered to be activated, and the user can continue to work with her as usual. To get activated, the buyer operating system has 30 days from the time you install Windows XP. If during this time activation was not, downloading and the continued use of Windows become impossible.

Thus, the technology Microsoft Product Activation «links» software is not user, but to your computer hardware and unrelated to the procedure of registration, and the remainder optional. In the process of activating or after the user can register your copy of Windows XP, Microsoft reported in a series of data about themselves, after which he receives all the benefits of the registered user's Windows. However, registration can be waived, the features in the operating system it will not change.

Naturally, because the mechanism of Microsoft Product Activation Windows has become more sensitive to changes in the configuration of your computer. To activate one copy of Windows can be only one personal computer. Reinstall Windows XP on one computer user can arbitrary number of times without re-activated, but only if in the process of reinstalling was not formatted the hard drive. If it was not formatted or the system is installed on a new hard disk, to repeat the activation. Reactivation is not necessary if since the last user replaced on his computer until all three components. When more than three components, or when buying a new computer you want to call the nearest Microsoft and indicate the need to reactivate the operating system on the phone. There are no restrictions on the replacement of peripheral devices (scanners, printers, digital camera and camcorder) is not imposed.

http://www.toyd.ru/category/article/enabling_windows_xp.html


Introduction to Windows

Воскресенье, 30 Ноября 2008 г. 18:00 + в цитатник
A bit of history
Operating system Microsoft Windows XP (for England. EXPerience - experience) is a new family of OS Windows, set up technology-based NT. Initially, Microsoft Corporation plans to develop two independent operating systems, a new generation. The first project was a working title of Neptune, this OS was to be the next update of Windows Millennium Edition, the new line of Windows 9X. The second project, called Odyssey, to create operating system on the platform of Windows NT, which had come to replace Windows 2000. However, the Microsoft felt it inappropriate disperse resources for the promotion of two different operating systems, resulting in both directions of development have been combined into one project - Microsoft Whistler.
Perhaps precisely because of this decision, Windows XP combines the advantages already familiar to users of previous generations of operating systems: convenience, ease of installation and maintenance of the family of OS Windows 98 and Windows ME, as well as the reliability and versatility of Windows 2000. If you want to install on your computer friendly, easy-to-use operating system with flexible configuration for a comfortable and stable operation, Microsoft Windows XP - that is what you need.
Currently, Windows XP for desktop PCs and workstations available in three versions: Home Edition for home PCs, Professional Edition - for the office PC and, finally, Microsoft Windows XP 64bit Edition - this version of Windows XP Professional for PCs, assembled at the Base 64-bit Intel Itanium processor with a clock speed of more than 1 GHz. There is also a server version of the operating systems based on Windows XP, which are positioned in the market under the brand Windows Server 2003: the platform of Windows Server 2003 Standard Edition, Windows Server 2003 Enterprise Edition, Windows Server 2003 Datacenter Edition and Windows Server 2003 Web Edition. Accordingly, the technical capabilities of these operating systems are different: for example, Windows Server 2003 Enterprise Edition supports multiprocessor hardware platforms and has embedded systems to ensure increased security for business applications and local area networks, Windows Server 2003 Datacenter Edition supports the machine, the hardware configuration that includes up to 32 sync working processors and has a more modern security arrangements, and Windows Server 2003 Web Edition is designed specifically for Web servers and posting data on the Internet.
In 2003, Microsoft released to the market products that have received the designation Windows XP Service Pack 1 and Windows XP Service Pack 2 (SP1 and SP2) - packs for the operating systems Windows XP Home and Professional Edition, to address a number of authorized developers and found in the practical use of these operating systems errors, as well as to replace some system modules, programs, libraries and components with newer versions.
In late 2003, Microsoft released to the market a further implementation of Windows XP for desktop computers, known as Microsoft Windows XP Media Center Edition 2004 - for the moment, this OS is only available in a preloaded on new PCs. This operating system is initially focused on the recording, playback and processing of multimedia data, it includes a variety of specialized modules designed to turn your PC into an entertainment center present. In addition to updated versions of Microsoft Windows Messenger, Windows Movie Maker, Media Player Windows Media, as well as built-driver packages and libraries, Microsoft Direct X 9, Windows XP Media Center Edition includes a number of additional components, markedly improving the quality playback of audio and video user to make work with digital video and cameras, viewing photos, listening to Internet radio stations and search of multimedia information on the World Wide Web more convenient and comfortable.
As part of the encyclopedia, we will consider only the operating system, Windows XP Professional and Home Edition, as well as several individual components that are included in the standard packs and version of Media Center Edition 2004. Detailed comparison of two basic realizations of Windows XP offered in Table 1.1.

Table 1.1. Comparative characteristics of Windows XP Professional and Home Edition

Component Professional Home
Themes change Windows XP Yes Yes
System Search Search Companion Yes Yes
The media player Windows Media Player Yes Yes
Help and Support Center (Microsoft Help and Support Center) Yes Yes
Microsoft Windows Messenger Yes Yes
Windows Movie Maker Yes Yes
Microsoft Internet Explorer 6.0 Yes Yes
Microsoft Outlook Express 6.0. Yes Yes
MSN Explorer Yes Yes
A standard set of applications Yes Yes
Automatic system configuration LAN Yes Yes
Remote access to a computer (Remote Desktop) Yes No
Remote Support System (Remote Assistance) Yes No
Offline Files and Folders - provides access to files and folders stored on a network drive Yes No
Scalable processor support, including support for symmetric multiprocessor systems Yes No
Encrypting data stored in sections NTFS Yes No
Personal firewall to protect your computer in the Internet Da Da
Access Control - a ban users access to files, folders and applications Yes No
Centralized administration - to connect systems running Windows XP, Windows Server to the domain Yes No
Group administration - the group of users and computers on the network Yes No
Moved user profiles - access to all your documents and settings, regardless of the computer used to login Yes No
Remote Installation Services - Support for remote installation of the operating system on computers connected to the network Yes No
Support - Recruitment and display text in different languages Yes Yes
Multilingual interface - to display localized menus and entire programs that include elements of the interface in different languages Yes No

The latest release for «desktop» versions of Windows XP is build 2600. Look for the number of your version of Windows XP you can open the Quick Start program, which should click on the icon Run (Run) in the Windows Start menu and type the command in the field winver.

General information
The new problem-oriented interface of Microsoft Windows XP allows you as soon as possible to learn the principles of the operating system, even to users who have never before experienced systems Windows. Used in Windows XP advanced Web technologies offer the opportunity to exchange text and voice messages, web projects of different levels of complexity, shopping online to connect and share applications not only in the local network, but also on the Internet. Using a special function Automatic Update (Automatic Update) Windows XP users receive remote access to any necessary updates and drivers «in one press of a mouse», with all the necessary changes to the configuration of the operating system are carried out automatically.

Setting up Windows has become even more convenient, and Control Panel - still visible. Like other operating systems built using technologies NT, Microsoft Windows XP fully supports multi-mode, with improved access control mechanism ensures the highest levels of security are stored on disk private data, and advanced control algorithms guarantee the stability of the new version of Windows. At a preliminary presentation of a beta version of Microsoft Whistler, on 13 February 2001 in Seattle, Chairman of Microsoft Corporation Bill Gates told the press that the version of Windows, to create and test which spent more than 1 billion U.S. dollars - the most important development of Microsoft since the release of to market Windows 95, a vice-president of the corporation Jim Ollchin added: «Windows XP - is not just a new version of Windows, it is - Update lifestyle».

System requirements
To run Microsoft Windows XP requires a personal computer, meet the following minimum system requirements:

processor - Pentium-compatible, clock speed of 233 MHz and higher. Allowed the use of families of processors Intel / Celeron or AMD K6/Athlon/Duron;
RAM - 64 MB;
free disk space - 1.5 gigabytes (only for the needs of the operating system, separately installed software requires additional disk space).
graphics card is equipped with at least 8 MB of video memory and SVGA-compatible display that supports a screen resolution of at least 800x600 pixels.

However, for stable and fast work recommended that the operating system on your computer with the best characteristics:

processor - Pentium-II-compliant (or above), clock speed of 500 MHz or higher;
RAM - from 256 megabytes;
free disk space - of 2 GB.
graphics card is equipped with at least 16 MB of video memory and SVGA-compatible display that supports a screen resolution of at least 1024x768 pixels.
A device for reading compact discs (CD-ROM)
The modem at speeds of at least 56 Kbit \ c.

http://www.toyd.ru/category/article/introduction_to_windows.html



Поиск сообщений в rss_rss_toyd
Страницы: 2 [1] Календарь