1st Look v2.0.1 serial key or number

1st Look v2.0.1 serial key or number

1st Look v2.0.1 serial key or number

1st Look v2.0.1 serial key or number

Documentation

This tutorial begins where Tutorial 1 left off. We’ll setup the database, create your first model, and get a quick introduction to Django’s automatically-generated admin site.

Where to get help:

If you’re having trouble going through this tutorial, please head over to the Getting Help section of the FAQ.

Database setup¶

Now, open up . It’s a normal Python module with module-level variables representing Django settings.

By default, the configuration uses SQLite. If you’re new to databases, or you’re just interested in trying Django, this is the easiest choice. SQLite is included in Python, so you won’t need to install anything else to support your database. When starting your first real project, however, you may want to use a more scalable database like PostgreSQL, to avoid database-switching headaches down the road.

If you wish to use another database, install the appropriate database bindings and change the following keys in the item to match your database connection settings:

  • – Either , , , or . Other backends are also available.
  • – The name of your database. If you’re using SQLite, the database will be a file on your computer; in that case, should be the full absolute path, including filename, of that file. The default value, , will store the file in your project directory.

If you are not using SQLite as your database, additional settings such as , , and must be added. For more details, see the reference documentation for .

For databases other than SQLite

If you’re using a database besides SQLite, make sure you’ve created a database by this point. Do that with “” within your database’s interactive prompt.

Also make sure that the database user provided in has “create database” privileges. This allows automatic creation of a test database which will be needed in a later tutorial.

If you’re using SQLite, you don’t need to create anything beforehand - the database file will be created automatically when it is needed.

While you’re editing , set to your time zone.

Also, note the setting at the top of the file. That holds the names of all Django applications that are activated in this Django instance. Apps can be used in multiple projects, and you can package and distribute them for use by others in their projects.

By default, contains the following apps, all of which come with Django:

These applications are included by default as a convenience for the common case.

Some of these applications make use of at least one database table, though, so we need to create the tables in the database before we can use them. To do that, run the following command:

The command looks at the setting and creates any necessary database tables according to the database settings in your file and the database migrations shipped with the app (we’ll cover those later). You’ll see a message for each migration it applies. If you’re interested, run the command-line client for your database and type (PostgreSQL), (MariaDB, MySQL), (SQLite), or (Oracle) to display the tables Django created.

For the minimalists

Like we said above, the default applications are included for the common case, but not everybody needs them. If you don’t need any or all of them, feel free to comment-out or delete the appropriate line(s) from before running . The command will only run migrations for apps in .

Creating models¶

Now we’ll define your models – essentially, your database layout, with additional metadata.

Philosophy

A model is the single, definitive source of truth about your data. It contains the essential fields and behaviors of the data you’re storing. Django follows the DRY Principle. The goal is to define your data model in one place and automatically derive things from it.

This includes the migrations - unlike in Ruby On Rails, for example, migrations are entirely derived from your models file, and are essentially a history that Django can roll through to update your database schema to match your current models.

In our poll app, we’ll create two models: and . A has a question and a publication date. A has two fields: the text of the choice and a vote tally. Each is associated with a .

These concepts are represented by Python classes. Edit the file so it looks like this:

fromdjango.dbimportmodelsclassQuestion(models.Model):question_text=models.CharField(max_length=200)pub_date=models.DateTimeField('date published')classChoice(models.Model):question=models.ForeignKey(Question,on_delete=models.CASCADE)choice_text=models.CharField(max_length=200)votes=models.IntegerField(default=0)

Here, each model is represented by a class that subclasses . Each model has a number of class variables, each of which represents a database field in the model.

Each field is represented by an instance of a class – e.g., for character fields and for datetimes. This tells Django what type of data each field holds.

The name of each instance (e.g. or ) is the field’s name, in machine-friendly format. You’ll use this value in your Python code, and your database will use it as the column name.

You can use an optional first positional argument to a to designate a human-readable name. That’s used in a couple of introspective parts of Django, and it doubles as documentation. If this field isn’t provided, Django will use the machine-readable name. In this example, we’ve only defined a human-readable name for . For all other fields in this model, the field’s machine-readable name will suffice as its human-readable name.

Some classes have required arguments. , for example, requires that you give it a . That’s used not only in the database schema, but in validation, as we’ll soon see.

A can also have various optional arguments; in this case, we’ve set the value of to 0.

Finally, note a relationship is defined, using . That tells Django each is related to a single . Django supports all the common database relationships: many-to-one, many-to-many, and one-to-one.

Activating models¶

That small bit of model code gives Django a lot of information. With it, Django is able to:

  • Create a database schema ( statements) for this app.
  • Create a Python database-access API for accessing and objects.

But first we need to tell our project that the app is installed.

Philosophy

Django apps are “pluggable”: You can use an app in multiple projects, and you can distribute apps, because they don’t have to be tied to a given Django installation.

To include the app in our project, we need to add a reference to its configuration class in the setting. The class is in the file, so its dotted path is . Edit the file and add that dotted path to the setting. It’ll look like this:

INSTALLED_APPS=['polls.apps.PollsConfig','django.contrib.admin','django.contrib.auth','django.contrib.contenttypes','django.contrib.sessions','django.contrib.messages','django.contrib.staticfiles',]

Now Django knows to include the app. Let’s run another command:

You should see something similar to the following:

Migrations for 'polls': polls/migrations/0001_initial.py - Create model Question - Create model Choice

By running , you’re telling Django that you’ve made some changes to your models (in this case, you’ve made new ones) and that you’d like the changes to be stored as a migration.

Migrations are how Django stores changes to your models (and thus your database schema) - they’re files on disk. You can read the migration for your new model if you like; it’s the file . Don’t worry, you’re not expected to read them every time Django makes one, but they’re designed to be human-editable in case you want to manually tweak how Django changes things.

There’s a command that will run the migrations for you and manage your database schema automatically - that’s called , and we’ll come to it in a moment - but first, let’s see what SQL that migration would run. The command takes migration names and returns their SQL:

You should see something similar to the following (we’ve reformatted it for readability):

BEGIN;---- Create model Question--CREATETABLE"polls_question"("id"serialNOTNULLPRIMARYKEY,"question_text"varchar(200)NOTNULL,"pub_date"timestampwithtimezoneNOTNULL);---- Create model Choice--CREATETABLE"polls_choice"("id"serialNOTNULLPRIMARYKEY,"choice_text"varchar(200)NOTNULL,"votes"integerNOTNULL,"question_id"integerNOTNULL);ALTERTABLE"polls_choice"ADDCONSTRAINT"polls_choice_question_id_c5b4b260_fk_polls_question_id"FOREIGNKEY("question_id")REFERENCES"polls_question"("id")DEFERRABLEINITIALLYDEFERRED;CREATEINDEX"polls_choice_question_id_c5b4b260"ON"polls_choice"("question_id");COMMIT;

Note the following:

  • The exact output will vary depending on the database you are using. The example above is generated for PostgreSQL.
  • Table names are automatically generated by combining the name of the app () and the lowercase name of the model – and . (You can override this behavior.)
  • Primary keys (IDs) are added automatically. (You can override this, too.)
  • By convention, Django appends to the foreign key field name. (Yes, you can override this, as well.)
  • The foreign key relationship is made explicit by a constraint. Don’t worry about the parts; it’s telling PostgreSQL to not enforce the foreign key until the end of the transaction.
  • It’s tailored to the database you’re using, so database-specific field types such as (MySQL), (PostgreSQL), or (SQLite) are handled for you automatically. Same goes for the quoting of field names – e.g., using double quotes or single quotes.
  • The command doesn’t actually run the migration on your database - instead, it prints it to the screen so that you can see what SQL Django thinks is required. It’s useful for checking what Django is going to do or if you have database administrators who require SQL scripts for changes.

If you’re interested, you can also run ; this checks for any problems in your project without making migrations or touching the database.

Now, run again to create those model tables in your database:

The command takes all the migrations that haven’t been applied (Django tracks which ones are applied using a special table in your database called ) and runs them against your database - essentially, synchronizing the changes you made to your models with the schema in the database.

Migrations are very powerful and let you change your models over time, as you develop your project, without the need to delete your database or tables and make new ones - it specializes in upgrading your database live, without losing data. We’ll cover them in more depth in a later part of the tutorial, but for now, remember the three-step guide to making model changes:

The reason that there are separate commands to make and apply migrations is because you’ll commit migrations to your version control system and ship them with your app; they not only make your development easier, they’re also usable by other developers and in production.

Read the django-admin documentation for full information on what the utility can do.

Playing with the API¶

Now, let’s hop into the interactive Python shell and play around with the free API Django gives you. To invoke the Python shell, use this command:

We’re using this instead of simply typing “python”, because sets the environment variable, which gives Django the Python import path to your file.

Once you’re in the shell, explore the database API:

>>> frompolls.modelsimportChoice,Question# Import the model classes we just wrote.# No questions are in the system yet.>>> Question.objects.all()<QuerySet []># Create a new Question.# Support for time zones is enabled in the default settings file, so# Django expects a datetime with tzinfo for pub_date. Use timezone.now()# instead of datetime.datetime.now() and it will do the right thing.>>> fromdjango.utilsimporttimezone>>> q=Question(question_text="What's new?",pub_date=timezone.now())# Save the object into the database. You have to call save() explicitly.>>> q.save()# Now it has an ID.>>> q.id1# Access model field values via Python attributes.>>> q.question_text"What's new?">>> q.pub_datedatetime.datetime(2012, 2, 26, 13, 0, 0, 775217, tzinfo=<UTC>)# Change values by changing the attributes, then calling save().>>> q.question_text="What's up?">>> q.save()# objects.all() displays all the questions in the database.>>> Question.objects.all()<QuerySet [<Question: Question object (1)>]>

Wait a minute. isn’t a helpful representation of this object. Let’s fix that by editing the model (in the file) and adding a method to both and :

fromdjango.dbimportmodelsclassQuestion(models.Model):# ...def__str__(self):returnself.question_textclassChoice(models.Model):# ...def__str__(self):returnself.choice_text

It’s important to add methods to your models, not only for your own convenience when dealing with the interactive prompt, but also because objects’ representations are used throughout Django’s automatically-generated admin.

Let’s also add a custom method to this model:

importdatetimefromdjango.dbimportmodelsfromdjango.utilsimporttimezoneclassQuestion(models.Model):# ...defwas_published_recently(self):returnself.pub_date>=timezone.now()-datetime.timedelta(days=1)

Note the addition of and , to reference Python’s standard module and Django’s time-zone-related utilities in , respectively. If you aren’t familiar with time zone handling in Python, you can learn more in the time zone support docs.

Save these changes and start a new Python interactive shell by running again:

>>> frompolls.modelsimportChoice,Question# Make sure our __str__() addition worked.>>> Question.objects.all()<QuerySet [<Question: What's up?>]># Django provides a rich database lookup API that's entirely driven by# keyword arguments.>>> Question.objects.filter(id=1)<QuerySet [<Question: What's up?>]>>>> Question.objects.filter(question_text__startswith='What')<QuerySet [<Question: What's up?>]># Get the question that was published this year.>>> fromdjango.utilsimporttimezone>>> current_year=timezone.now().year>>> Question.objects.get(pub_date__year=current_year)<Question: What's up?># Request an ID that doesn't exist, this will raise an exception.>>> Question.objects.get(id=2)Traceback (most recent call last):...DoesNotExist: Question matching query does not exist.# Lookup by a primary key is the most common case, so Django provides a# shortcut for primary-key exact lookups.# The following is identical to Question.objects.get(id=1).>>> Question.objects.get(pk=1)<Question: What's up?># Make sure our custom method worked.>>> q=Question.objects.get(pk=1)>>> q.was_published_recently()True# Give the Question a couple of Choices. The create call constructs a new# Choice object, does the INSERT statement, adds the choice to the set# of available choices and returns the new Choice object. Django creates# a set to hold the "other side" of a ForeignKey relation# (e.g. a question's choice) which can be accessed via the API.>>> q=Question.objects.get(pk=1)# Display any choices from the related object set -- none so far.>>> q.choice_set.all()<QuerySet []># Create three choices.>>> q.choice_set.create(choice_text='Not much',votes=0)<Choice: Not much>>>> q.choice_set.create(choice_text='The sky',votes=0)<Choice: The sky>>>> c=q.choice_set.create(choice_text='Just hacking again',votes=0)# Choice objects have API access to their related Question objects.>>> c.question<Question: What's up?># And vice versa: Question objects get access to Choice objects.>>> q.choice_set.all()<QuerySet [<Choice: Not much>, <Choice: The sky>, <Choice: Just hacking again>]>>>> q.choice_set.count()3# The API automatically follows relationships as far as you need.# Use double underscores to separate relationships.# This works as many levels deep as you want; there's no limit.# Find all Choices for any question whose pub_date is in this year# (reusing the 'current_year' variable we created above).>>> Choice.objects.filter(question__pub_date__year=current_year)<QuerySet [<Choice: Not much>, <Choice: The sky>, <Choice: Just hacking again>]># Let's delete one of the choices. Use delete() for that.>>> c=q.choice_set.filter(choice_text__startswith='Just hacking')>>> c.delete()

For more information on model relations, see Accessing related objects. For more on how to use double underscores to perform field lookups via the API, see Field lookups. For full details on the database API, see our Database API reference.

Introducing the Django Admin¶

Philosophy

Generating admin sites for your staff or clients to add, change, and delete content is tedious work that doesn’t require much creativity. For that reason, Django entirely automates creation of admin interfaces for models.

Django was written in a newsroom environment, with a very clear separation between “content publishers” and the “public” site. Site managers use the system to add news stories, events, sports scores, etc., and that content is displayed on the public site. Django solves the problem of creating a unified interface for site administrators to edit content.

The admin isn’t intended to be used by site visitors. It’s for site managers.

Enter the admin site¶

Now, try logging in with the superuser account you created in the previous step. You should see the Django admin index page:

You should see a few types of editable content: groups and users. They are provided by , the authentication framework shipped by Django.

Make the poll app modifiable in the admin¶

But where’s our poll app? It’s not displayed on the admin index page.

Only one more thing to do: we need to tell the admin that objects have an admin interface. To do this, open the file, and edit it to look like this:

fromdjango.contribimportadminfrom.modelsimportQuestionadmin.site.register(Question)

Explore the free admin functionality¶

Now that we’ve registered , Django knows that it should be displayed on the admin index page:

Click “Questions”. Now you’re at the “change list” page for questions. This page displays all the questions in the database and lets you choose one to change it. There’s the “What’s up?” question we created earlier:

Click the “What’s up?” question to edit it:

Things to note here:

  • The form is automatically generated from the model.
  • The different model field types (, ) correspond to the appropriate HTML input widget. Each type of field knows how to display itself in the Django admin.
  • Each gets free JavaScript shortcuts. Dates get a “Today” shortcut and calendar popup, and times get a “Now” shortcut and a convenient popup that lists commonly entered times.

The bottom part of the page gives you a couple of options:

  • Save – Saves changes and returns to the change-list page for this type of object.
  • Save and continue editing – Saves changes and reloads the admin page for this object.
  • Save and add another – Saves changes and loads a new, blank form for this type of object.
  • Delete – Displays a delete confirmation page.

If the value of “Date published” doesn’t match the time when you created the question in Tutorial 1, it probably means you forgot to set the correct value for the setting. Change it, reload the page and check that the correct value appears.

Change the “Date published” by clicking the “Today” and “Now” shortcuts. Then click “Save and continue editing.” Then click “History” in the upper right. You’ll see a page listing all changes made to this object via the Django admin, with the timestamp and username of the person who made the change:

When you’re comfortable with the models API and have familiarized yourself with the admin site, read part 3 of this tutorial to learn about how to add more views to our polls app.

Источник: [https://torrent-igruha.org/3551-portal.html]
, 1st Look v2.0.1 serial key or number

Sublime Text 2

Sublime Text 3 has been released, and contains significant improvements over this version

Sublime Text 2 may be downloaded and evaluated for free, however a license must be purchased for continued use. There is currently no enforced time limit for the evaluation.

Changelog

Version 2.0.2

  • Sublime Text 3 beta is now available from https://www.sublimetext.com/3
  • Removed expiry date
  • Backported various fixes from Sublime Text 3
  • Improved minimap click behavior. The old behavior is available via the setting
  • Added setting, to control the behavior of the copy and cut commands when no text is selected

Version 2.0.1

  • Keyboard input while dragging a selection will cancel the drag
  • Improved backspace behavior when use_tab_stops and translate_tabs_to_spaces are true
  • Improved shift+drag behavior
  • Improved double click drag select behavior
  • About Window shows the license key details
  • Fixed a Goto Anything issue where pressing backspace could scroll the overlay incorrectly
  • Fixed a crash triggered by double clicking in the Goto Anything overlay
  • Fixed incorrect window position when dragging a tab in some scenarios
  • Added missing toggle_preserve_case command
  • word_wrap setting accepts "true" and "false" as synonyms to true and false
  • OSX: Fixed System Preferences menu not working
  • Linux: Added support for mice with more than 5 buttons
  • Linux: Fixed an occasional graphical glitch when running under Unity

Version 2.0

  • See the blog post for a summary.
  • OSX: Added Retina display support
  • Added "Quick Skip Next", on /
  • Added text drag and drop
  • Reloading a file maintains the selection
  • OSX: Find uses the system find pasteboard
  • OSX: Added support for the ODB Editor Suite
  • Theme: Added support for the highlight_modified_tabs setting
  • Added setting show_full_path, to control if the full path is shown in the window title
  • Added setting bold_folder_labels
  • OSX: Bundle is signed in preparation for Mountain Lion
  • OSX: Added scroll bar support for the "Jump to the spot that's clicked" system preference
  • OSX: Added create_window_at_startup setting
  • OSX: Folders accessed via symlinks are monitored for changes
  • OSX: Fixed Lion press-and-hold inserting two characters
  • Windows: Installer is signed
  • Windows: Directory scanning makes use of inodes where available
  • Windows: Files are opened with the FILE_SHARE_DELETE share mode
  • Windows: Fixed a regression in command line handling with network paths
  • Windows and Linux: Tweaked command line handling when Sublime Text isn't already running
  • Linux: Tweaked handling of the Primary selection
  • Linux: GTK is loaded at runtime, removing any dependency on specific libpng versions
  • Linux: Fixed occasional jittering with the auto complete window
  • Linux: Fixed a directory watching issue
  • Linux: Sub-folders within the syntax menu on the status bar work as expected
  • Linux: Show Completions has changed from ctrl+space to alt+/, to not interfere with IMEs
  • Reworked CSS completions
  • Improved Toggle Comment for HTML and CSS
  • Added Open in Browser context menu for HTML files
  • Saving a file now calls fsync to ensure the data is written to disk
  • Added support for file_include_patterns and folder_include_patterns in projects
  • Find in Files can exclude directories using "-some_path/" syntax
  • Added BOM variants to the Save with Encoding menu
  • Added setting preview_on_click
  • Improved Indentation Detection
  • ASCII control codes are rendered in a different style
  • Auto complete and tool tips say within the screen boundaries
  • Double clicking in the tab header area will create a new tab
  • Delete Folder will prompt before moving the folder to the trash
  • Double clicking on whitespace will select only whitespace
  • Theme: Added 'expandable' attribute to tree_rows, enabling folders to be styled differently
  • Theme: Tweaked quick panel to better indicate the selected item
  • Disabling find result highlighting will also disable find-as-you-type in the Find panel
  • Pressing escape in the incremental find panel will set the selection to the search start point
  • Extended behavior of home and end keys on word wrapped lines
  • Changes in file name case are detected in the side bar
  • Fixed save_on_focus_lost causing Goto Anything to not show if the current file has unsaved changes
  • Fixed folders not being added to the recent folders list
  • Fixed rendering of active indent guides
  • Fixed pasting file:line expressions into the Goto Anything panel
  • Invalid key names in keymap files will are logged to the console
  • Build Systems: Added variants
  • Build Systems: Improved debug output of the exec command when the target isn't found
  • Build Systems: Added show_panel_on_build setting
  • Build Systems: Build times are reported
  • Build Systems: Exit code is reported, if it's non-zero
  • Build Systems: Improved output panel height serialization
  • Build Systems: Canceling a build will terminate rather than kill the process
  • Vintage: Added backspace motion (thanks mrannanj)
  • Vintage: Improved quote text object (thanks Guillermo)
  • Vintage: Added Ctrl+U and Ctrl+D (thanks misfo)
  • Vintage: 'vintage_use_clipboard' forces pasting from system clipboard too (thanks Guillermo)
  • Vintage: Fixed motions with "0" in them for actions (thanks bengolds)
  • Vintage: Visual mode I and A (thanks misfo)
  • Vintage: Added vintage_use_clipboard setting to yank to the system clipboard (thanks Guillermo)
  • Vintage: Tweaked behavior of cw and cW when the caret is in whitespace (thanks misfo)
  • Vintage: Added bindings for moving the group focus up, down, left, right (thanks misfo)
  • Vintage: Paste accepts a repeat count (thanks misfo)
  • Vintage: Added bindings for u and U in visual mode, to change the case of the selection and exit visual mode (thanks quarnster)
  • Vintage: Macro replay accepts a repeat count (thanks zbuc)
  • Vintage: r<char> processes lines individually (thanks Guillermo)
  • Vintage: Tweaked % behavior (thanks misfo)
  • Vintage: Fix bug that caused deletes to erroneously left_delete (thanks misfo)
  • Vintage: Fix EOF behavior with linewise changes (thanks misfo)
  • Vintage: Ignoring a and i when in visual mode (thanks Guillermo)
  • Vintage: cc and S take counts (thanks misfo)
  • Vintage: Correctly shrink selections when reversed (thanks misfo)
  • Vintage: Added vap (thanks behrends)
  • API: Added sublime.message_dialog()
  • API: Added sublime.ok_cancel_dialog()
  • API: Added Command.is_checked() to support checkbox menu items
  • API: Added sublime.log_result_regex()

Build 2181

  • See the blog post for a summary
  • New Icon, by The Iconfactory
  • File and Global settings have been combined into a single settings file
  • Selecting a word will highlight other occurrences. This can be controlled with the setting
  • Reworked text rendering for improved quality
  • Improved automatic indentation. It now uses bracket matching to better determine indentation
  • Added setting and , to customize automatic indentation
  • Auto Complete is less intrusive
  • Renaming a file via the side bar will rename any open files
  • Improved folder scanning performance on huge directory trees
  • Untitled files have their name set automatically from the first line of the file. The can be controlled with the setting
  • Ruby: #{} is expanded when # is entered in a string
  • Folder names are shown in the window title if no project is open
  • Folders in projects are stored with relative paths
  • Added Save with Encoding
  • Spelling errors are indicated with an underline only, the foreground color of the text is no longer changed
  • Added no_bold and no_italic font options
  • Added setting, to control the size of the gutter
  • Key bindings for Goto Anything, Save, etc will work if a panel has input focus
  • "Open all with current extension as" handles filenames without extensions
  • Fixed an auto complete display issue
  • Fixed find_under_expand not setting whole_word correctly
  • Fixed Paste and Indent adding unwanted whitespace when pasting within a line
  • Fixed a minor compatibility issue with .tmLanguage files
  • Fixed a tab dragging issue on OS X and Windows
  • OS X: Tweaked sub-pixel positioning to match TextEdit and Terminal. The previous behavior is available via the no_round font option.
  • OS X: Open File and Open Folder have been combined into a single Open menu item
  • OS X: Control+Option+Left/Right will move by sub words, in the same manner as Control+Left/Right
  • Windows: Default font is now Consolas
  • Windows: Improved text rendering quality when using Direct Write
  • Windows: Added support for --wait
  • Windows: Added support for drive letter relative paths passed on the command line
  • Windows and Linux: Added key bindings for ctrl+shift+backspace/delete
  • Linux: Added a workaround for a glibc bug when MALLOC_CHECK_ is defined
  • Linux: Pango is used for font rendering, improving support for CJK text
  • Vintage: Escape cancels current input (thanks fjl)
  • Vintage: Pasting over visual mode selections works as expected (thanks misfo)
  • Vintage: Linewise changes set indentation (thanks misfo)
  • Vintage: Linewise motions work as expected (thanks misfo)
  • Vintage: c, C, s and S update registers (thanks misfo)
  • Vintage: Tweaks to G and gg (thanks guillermooo)
  • Vintage: Added zt and zb (thanks djjcast)
  • Vintage: Added gq (thanks orutherfurd)
  • Plugin initialization time is reported in the console at startup
  • API: Tweaked module importing
  • API: Added window.find_open_file(file_name)
  • API: Added sublime.run_command()
  • API: Added view.unfold([regions])
  • API: Added view.folded_regions()

Build 2165

  • See the blog post for a summary
  • Theme: New UI theme, by Mike Rundle
  • Added support for bold and italic font styles
  • Speed: Improved startup time
  • Speed: Optimized memory usage
  • Speed: Improved font glyph rasterization speed
  • Rearranged the menu, making important features are easier to locate
  • Auto complete: Completion menu is shown automatically. This is configurable with the auto_complete file setting
  • Auto complete: Tab can be used instead of enter to accept the current completion, by using the auto_complete_commit_on_tab file setting
  • Auto complete: Many quality improvements
  • Tab Completion: Pressing tab multiple times will cycle through the available completions
  • Added reopen_last_file command, bound to Command+Shift+T / Ctrl+Shift+T
  • Deleting files via the side bar will send them to the trash, rather than deleting them outright
  • Improved behavior when hot_exit and remember_open_files are false
  • Color schemes and syntax definitions are reloaded on the fly
  • Paste and Indent will now do the right thing in more circumstances
  • save_on_focus_lost won't save if the underlying file has been deleted
  • Added key binding for replace_next
  • slurp_find_string will set the whole_word flag based on if the selection is empty
  • Added file setting move_to_limit_on_up_down. This is enabled by default on OS X.
  • Shift+Drag will set the active end of the selection as expected
  • Clicking on a tab will always give the relevant sheet input focus
  • Simplified indent guide settings, and disabled active indent guide drawing by default. The indent_guide_options file setting can be used to change this
  • Improved minimap dragging
  • increase_font_size command will allow sizes up to 128pt
  • Changed how the toggle argument to show_panel is handled
  • Files with colons in their names may be opened from the command line
  • Fixed handling of selectors with extraneous '.' characters
  • File Encoding: Added default_encoding setting
  • File Encoding: Added Hexadecimal encoding, for basic editing of binary files. This is controlled with the enable_hexadecimal_encoding global setting
  • Projects: Folders may be given a name attribute, to change how they're displayed
  • Projects: Exclude patterns may include paths, for example:
  • Projects: .sublime-project files passed on the command line will be opened as projects, without --project being required
  • Projects: Folder paths with trailing slashes are supported
  • Projects: Fixed folder_exclude_patterns not being serialized correctly in project files
  • OS X: Prompting for elevated privileges when saving protected files
  • OS X: Double clicking on a .sublime-project file in Finder will open it in Sublime Text
  • OS X: Control clicking on a tab will show the context menu
  • OS X: Increased default font size
  • OS X: Fixed an issue that opened additional empty windows when using the command line helper
  • Linux: Fixed an issue with tab dragging
  • Vintage: Column is maintained when moving between lines
  • Vintage: == reindents current line (thanks Gordin)
  • Vintage: Added ZZ (thanks Guillermooo)
  • Vintage: Added X command (thanks misfo)
  • Vintage: Added _ command (thanks redjohn)
  • Vintage: Added ~ (thanks misfo)
  • Vintage: r,enter is supported (thanks misfo)
  • Vintage: Added various Ctrl+W,<x> bindings for layout control (thanks Gordin)
  • Vintage: Added various z,<x> bindings for folding (thanks Gordin)
  • Vintage: _ accepts a count (thanks guillermooo)
  • Vintage: Ctrl+C is a synonym for escape on OS X(thanks sugarcoded)
  • Vintage: dw works as expected at EOL
  • Vintage: Fixed an issue with the zz key binding (thanks Bradley Priest)
  • API: Plugins have a finite time to respond to events before users will be issued a warning indicating the slow plugin
  • API: Added sublime.log_input()
  • API: Added view.encoding() and view.set_encoding()
  • API: Added view.line_endings() and view.set_line_endings()
  • API: Added view.viewport_position() and view.set_viewport_position()
  • API: Added view.viewport_extent() and view.layout_extent()
  • API: Added view.text_to_layout() and view.layout_to_text()
  • API: Added view.line_height() and view.em_width()
  • API: Added window.active_view_in_group(group)
  • API: Added window.views_in_group(group)
  • API: Added window.get_layout() and window.set_layout()
  • API: Added window.get_view_index() and window.set_view_index()
  • API: settings.has() now works as expected
  • API: on_query_completions results may have a tab embedded in their descriptions, to delimit help text

Build 2139

  • See the blog post for a summary
  • Added Replace in Files functionality to the Find in Files panel
  • Find in Files panel now has a single "Where" field, combining the previous "In Files" and "In Location" fields
  • Added fold buttons to the gutter. They can be customized with the fold_buttons and fade_fold_buttons file settings
  • Added keyboard navigation to the side bar
  • Re-added and improved side bar expand / collapse animations. This can be controlled with the tree_animation_enabled global setting
  • Alt clicking a folder in the side bar will expand it and all its children
  • The reindent command can be used to reformat selected lines, via the Edit/Line/Reindent menu item
  • Improved startup time in some scenarios
  • OSX: Menu items flash when triggered with a key binding
  • OSX: Improved open file behavior when no windows are currently open
  • OSX: Command+Right Delete will delete to EOL
  • OSX: Tweaked click-through behavior
  • OSX: Fixed opening an already open file from Finder with open_files_in_new_window enabled creating a new window
  • Windows and Linux: Ctrl+Scroll Wheel will change the font size
  • Ctrl+F will select the find pattern when the find panel is already open
  • The show_panel command now accepts a toggle parameter, which is false by default. The previous behavior was to always toggle
  • Pressing escape while dragging a scroll bar will cancel the scroll
  • Fixed a Ctrl+D/Super+D regression, where wrapping at EOF wasn't handled correctly
  • Fixed a Find in Files regression where unsaved files couldn't be opened from the Find Results buffer
  • Fixed a crash that could occur when trying to drag a closed panel
  • Fixed a rare crash that could occur after moving a file between windows
  • Vintage: Added '=' action to reindent
  • Vintage: 'o' in visual mode will reverse the selection direction (by Guillermo)
  • Vintage: Added support for the "'" key to go to bookmarks (by Guillermo)
  • Vintage: Escape will exit visual line mode, instead of changing to visual mode
  • Vintage: Added gf (by Guillermo)
  • Vintage: Added z. and z,enter (by Guillermo)
  • Vintage: Added zz (by Johnfn)
  • Vintage: Added "{" and "}" motions (by Johnfn)
  • Vintage: Fixed a regression with escape in 2126, causing it not to exit from visual mode
  • API: window.run_command() will run text commands, dispatching them via input focus
  • API: hide_auto_complete is safe to call from on_modified

Build 2126

  • See the blog post for a summary
  • Hot Exit is now the default, and configurable via the hot_exit global setting
  • Added Code Folding, see the Edit/Coding Folding menu for details. More folding options will be added in the future.
  • Find in Files results are colored for better visibility
  • Matching tags are highlighted
  • Improved word wrapping of source code: extra indentation is now added on wrapped lines
  • Added global setting highlight_modified_tabs to better indicate tabs with unsaved changes
  • Goto Anything: Improved ranking accuracy on repetitive file paths
  • Goto Anything: Files are now displayed in most recently used order, and shown by default
  • Side Bar: The side bar will auto hide if open files aren't shown, and there are no open folders
  • Side Bar: Disabled animation on expand/collapse
  • Side Bar: Headings are no longer indented
  • Side Bar: Clicking on a folder will expand or collapse it, rather than selecting it
  • Side Bar: Open files are now hidden by default
  • Side Bar: The current file is highlighted in both the Open Files and Open Folders sections, if present
  • Side Bar: Folders will be expanded by default
  • The find highlight outline color now has a better default, and is configurable via the highlight key in the color scheme
  • Ctrl+F3 (Option+Command+G on OS X) will search by whole words if the selection is empty
  • Ctrl+D (Command+D on OS X) will search by whole words if the selection is initially empty
  • Find All no longer disables the "In selection" flag
  • Find Preview will not be shown if finding for "." in regex mode
  • Find Next Using Selection unsets the reverse flag
  • Find in Files accepts relative paths
  • Projects: File names in workspaces are stored with relative paths
  • Projects: Fixed project specific settings persisting when the project is closed
  • Indent Guides: Fixed solid indent guides not rendering crisply with sub-pixel glyph positioning
  • Indent Guides: Fixed indent guide rendering and word wrapping in conjunction with Perl syntax highlighting
  • Ctrl+Tab will only cycle between files in the current group
  • Improved undo grouping logic, so the amount of typing undone is more predictable
  • Added Expand Selection to Indentation (Command+Shift+J on OS X, and Ctrl+Shift+J on Windows and Linux)
  • Expand Selection to Tag will handle unclosed tags
  • OSX: Clicking on a background window will bring it to the front only, and not change the selection
  • OSX: Sequential key bindings are displayed in the menu
  • OSX: Ctrl+Delete will delete by sub words
  • OSX: Added workaround for Core Text crashing on invalid unicode code points
  • OSX: Killing the subl process while waiting for files to be closed no longer causes problems for the application
  • OSX: Fixed dictionary lookups being offset
  • Linux: Ctrl+Q is bound to quit
  • Fixed tripping up on non-ascii characters
  • Vintage: Find no longer selects the found text
  • Vintage: Arrow keys, page up/down and home/end act as motions
  • Vintage: All Ctrl key bindings are now enabled only if the vintage_ctrl_keys setting is true, which is the default for OS X, but not Windows and Linux.
  • Vintage: Ctrl+[ is now an alias for escape (if vintage_ctrl_keys is enabled)
  • Vintage: Added Ctrl+E and Ctrl+Y, to scroll up/down by lines, if vintage_ctrl_keys is enabled.
  • Vintage: I will insert at the first non-whitespace character on the line (thanks Trent)
  • Vintage: Added ga (thanks Guillermo)
  • Vintage: Improved H, L and M motions (thanks Guillermo)
  • Vintage: 1G and G are distinguished
  • Theme: Tabs with modified files now have a "dirty" attributes that can be used in selectors
  • Theme: Added key indent_top_level for the sidebar_tree class
  • API: Added view.fold() and view.unfold()

Build 2111

  • See the blog post for a summary
  • Added indentation guides. These may be disabled with the setting
  • Added syntax, indentation, and spell checking information to the status bar
  • Added Vintage mode, for vi key bindings in Sublime Text 2
  • Added Expand Selection to Tag (Command+Shift+A on OS X, and Ctrl+Shift+A on Windows and Linux)
  • Added Close Tag (Command+Alt+. on OS X, and Alt+. on Windows and Linux)
  • Projects are now stored in two files: .sublime-project (user editable, can be checked into version control) and .sublime-workspace (containing the session state). Existing project files will be converted on load.
  • Projects: Folders in projects may be given file_exclude_patterns and folder_exclude_patterns
  • Projects: Per-project file settings may be specified in the .sublime-project files
  • Projects: Build systems may be specified within .sublime-project files
  • Projects: Open Project and Recent Projects open the project in a new window
  • Added File/Open Folder, to open a folder in a new window. These entries will appear in the Open Recent list.
  • Passing folders on the command line will open them in a new window by default
  • Shift+Tab will always unindent when the caret is at the beginning of the line
  • Tweaked Delete Word
  • Tweaked behavior of up/down with non-empty selections
  • Build is now bound to Ctrl+B Windows and Linux (Command+B on OS X, as it was previously). F7 is also bound to build on all platforms.
  • Toggle Side Bar is now bound to Command+K, Command+B on OS X, and Ctrl+K, Ctrl+B on Windows and Linux
  • Added the ability to hide the open files section on the side bar, via the View/Side Bar menu
  • Added global setting , to close windows as soon as the last file is closed. This is enabled by default on OS X
  • Find and replace panels operate via commands, and indicate the relevant key bindings on the buttons
  • Updated C syntax highlighting
  • Updated Bash highlighting
  • is respected by Find in Files
  • The command is now recorded in macros
  • Resolved a syntax highlighting issue in contentName handling
  • Fixed a crash that could occur with replace in selection
  • Fixed an issue that could result in an incorrect scroll range when scroll_past_end is enabled
  • Fixed incorrect tab positions in some circumstances
  • Fixed an issue that could erroneous carets in the replace panel
  • Middle clicking on tab close buttons is no longer ignored
  • OS X: Fixed Quit not quitting until the next input event
  • Windows: Fixed delay when opening multiple files from Explorer
  • Windows: Fixed Open Containing Folder for files in root directories
  • Linux: Hid the window resize grip on Ubuntu
  • API: Added Command.description()
  • API: Added sublime.score_selector(scope, selector)
  • API: Added view.score_selector(point, selector)
  • API: Added view.find_by_selector(selector)
  • API: view.scope_name() now returns scope components in the expected order. view.syntax_name() is still available for compatibility.
  • API: Added sublime.get_macro()
  • API: Added option for the quick panel
  • API: If a plugin module has a top level function called , it'll be called when the plugin is reloaded or unloaded.
  • API: Fixed a crash when reloading plugins while threads are active
  • API: API functions better handle null windows

Build 2095

  • Improved labeling in Preferences menu
  • Added context menu key support (alt+F2 in OS X)
  • Files opened from the command line use the last active window on any virtual desktop, rather than only looking on the current virtual desktop
  • OSX: Sub-pixel glyph placement is disabled when rendering without anti-aliasing
  • Windows without open files now display the project name
  • Fixed a scenario where tabs would be incorrectly positioned
  • Fixed a scenario where Jump to Matching Bracket could cause the carets to not update
  • Changed Preferences menu mnemonic from 'r' to 'n', to remove a conflict with the find panel
  • Dialogs now accept both the normal enter/return key and the one one the keypad
  • OSX: Fixed a crash when closing a window in full screen mode
  • OSX: Fixed a scenario that could result in carets not blinking after toggling full screen
  • OSX: Fixed multi-character key bindings that don't use modifiers
  • OSX: Updated keyboard handling to support the 'Dvorak - Qwerty Command' keyboard layout
  • OSX: Fixed a rare crash bug crash when redrawing the minimap
  • OSX: Updated .dmg file with a symlink to /Applications
  • API: Fixed a crash when calling view.run_command("save") on a background view
  • API: Added view.command_history()
  • API: Added Settings.add_on_change() and Settings.clear_on_change()

Build 2091

  • OSX: Text layout uses sub-pixel positions
  • OSX: Added support for OS X 10.7 style scroll bars (over-bounce is not yet implemented)
  • OSX: Added support for Lion style full screen
  • Linux: Sub-pixel anti-aliasing is enabled by default
  • Carets blink by default (can be changed with the file setting).
  • Files with the same name, but different directories, now have unambiguous labels in the side bar and tabs
  • New windows are created with the settings and size of the previous window. This supersedes the .
  • will operate on non-empty selections, duplicating the selection
  • Added global setting
  • Added Reveal in Side Bar context menu item
  • Added Tools/New Snippet menu item
  • Added menu items for syntax specific settings and distraction free settings
  • Fixed performance issues with SQL and JavaScript syntax highlighting on files with long lines
  • values specified in .tmPreferences files are available to snippets, fixing many Rails snippets.
  • OSX: Changed key bindings for Find, Replace and Full Screen to match Lion defaults
  • OSX: Files and folders dropped onto the dock icon will be opened in a new window by default
  • OSX: Command+Alt+O will toggle overwrite mode
  • OSX: Command+, will open the user file settings
  • OSX: Initial support for input methods
  • Dropped files will be opened in the pane they're dropped on
  • Added global setting , to exclude files from Goto Anything and Find in Files
  • Commands may be passed as arguments via --command
  • Enabling in
  • Line highlights are disabled by default
  • Improved scrolling logic when working with cloned files, and resizing word wrapped files
  • Improved behavior of page up / page down
  • Improved Toggle Comment behavior on empty selections for languages without line comments
  • Find in Files: 'Use Buffer' is now selected by default
  • "New Folder" menu item can create multiple folders at once
  • Panel heights are stored in the session
  • Goto Symbol is able to display symbols with forward slashes
  • Fixed scenario where characters with a background color could be drawn clipped
  • Fixed a scenario that could result in Goto Anything rows appearing in the wrong location
  • OSX and Linux: Fixed reading and writing of UTF-16 encoded files
  • OSX and Linux: Select Folder dialogs allow multiple selection
  • OSX: Fixed not being able to click on the auto complete window
  • Fixed Goto Line not updating the status bar
  • Fixed Goto Symbol not updating the status bar
  • Linux: Improved redraw performance
  • Windows: Save As dialog will prompt to overwrite files
  • Windows: Fixed a scenario where the update notification dialog could be missed
  • Using a bullet, rather than an asterisk, to indicate dirty files
  • Theme: Tab labels fade rather than elide, and are better positioned to make use of available space
  • Theme: Images are reloaded on the fly
  • Theme: Added a 1px border to the right of the side bar
  • Theme: Added new classes , and
  • Theme: Minimap viewport color is themeable, via the class
  • Theme: Theme specific widget settings are now used, via
  • Theme: Buttons now use standard label controls for their text
  • Theme: Label controls now have properties , , , , and
  • Theme: Layers now have a property
  • Theme: Controls that used to use 'background_color' now use layers instead
  • API: Added window.views()
  • API: More strictly enforcing the main thread only usage restriction
  • API: show_input_panel() will run its callbacks at a time when they're able to show panels and overlays
  • API: Changed handling of on_query_completion results with an empty trigger
  • API: Added window.hwnd() (Windows only)

Build 2076

  • Relabeling from Alpha to Beta
  • Added Command Palette (Windows and Linux: Ctrl+Shift+P, OSX: Command+Shift+P)
  • Added Distraction Free mode (accessible via View/Enter Distraction Free Mode)
  • Selected text is rendered with syntax highlighting, unless the color scheme specifies a key
  • Added a progress bar when loading files
  • OSX: Distributing as a universal binary, with 64 bit and 32 bit support
  • Added a key binding to wrap the selection in a tag (Windows and Linux: Alt+Shift+W, OSX: Ctrl+Shift+W)
  • Monokai is now the default color scheme, rather than Monokai Bright
  • Added a File/Close All menu item
  • Folders may now be dropped anywhere on the window, not just on the side bar
  • Improved selection and line highlight rendering
  • Selection border color can be customized in .tmTheme files with the key
  • Find highlight color will default to yellow if a color scheme doesn't specify one
  • Added command (accessible via the Command Palette)
  • Added command (accessible via the Command Palette)
  • Added setting, to force shift+tab to unindent even without a multi-line selection
  • Added setting
  • Increased search limit for the Jump to Matching Bracket command
  • Improved auto-indent behavior in the face of mixed indentation
  • Improved toggle block comment on an empty selection
  • Tweaked auto-pairing rules
  • Fixed Add Line Before adding indentation on lines where there should be none
  • Fixed issue when using Find/Replace with back references and a reversed search direction
  • JavaScript: Added support for node.js shebangs
  • Improved the HTML completions for and
  • Shell Script: Fixed file type associations
  • Added Toggle Comment support for YAML
  • Fixed shutdown not proceeding while folders are being scanned
  • Fixed spell checking for words with non-ascii prefixes or suffixes
  • Fixed a quirk when using Goto Anything, typing, and then clearing the text box
  • Fixed the minimap initially showing at the wrong size on new files
  • Fixed a scenario where the label and close button on a tab would be in the wrong spot
  • Fixed a rare crash that could occur after closing a file, then changing layout
  • Windows: Improved support for menu hiding
  • OSX: Changed the color space used for rendering
  • Linux: Fixed an issue that could cause the status bar not to show at startup
  • Linux: Changed Python compiler settings, to enable loading of compiled python extensions, and importing the hashlib module
  • Build Systems: Current directory when building will default to the file's directory if none is specified in the build system
  • Build Systems: result_line_regex may specify a column and message (using the 2ed and 3rd capture groups)
  • command: extra arguments passed to the command will be forwarded onto the snippet
  • The command now takes an optional argument
  • API: Added window.show_quick_panel()
  • API: Added sublime.platform() and sublime.arch()
  • API: Added window.focus_view()
  • API: Improved the behavior of tab completion in conjunction with on_query_completions returning non-word triggers
  • API: Calling run_command() from Python will no longer bypass is_enabled() checks
  • API: Fixed view.replace() scrolling the view

Build 2065

  • Improved cold startup time
  • Added key bindings to toggle find options, which are shown in the tool tips
  • Find: The number of matching occurrences is indicated in the status bar
  • Find: Found text is highlighted in a separate color
  • Added "Reopen with Encoding" menu
  • Updated Scala package
  • Added Clojure syntax highlighting
  • Added Haml syntax highlighting
  • Added reStructuredText syntax highlighting
  • Syntax menu is now organized by package
  • Improved .tmLanguage file compatibility with regards to 0 length matches in rules
  • Added 'theme' global setting
  • Themes are automatically reloaded
  • Theme selectors are more powerful, and can now select based on the classes and attributes of parents
  • Color Schemes: Added inactiveSelection and inactiveSelectionForeground keys
  • Added Solarized color schemes
  • OSX: Using a white ibeam cursor on dark backgrounds
  • OSX: Added key binding for Wrap Paragraph at Ruler (Command+Option+Q)
  • OSX: Added document icons
  • OSX: Fixed a scenario that could result in the save panel double adding an extension
  • API: Added Window.num_groups(), Window.active_group(), and Window.focus_group(group)
  • API: Added Window.folders(), to access the currently opened folders
  • API: Region rendering will use the foreground and background colors for a given scope if both are specified in the tmTheme file
  • Fixed UI glitch with the replace panel and empty replacement strings
  • Fixed a crash with very large or very small font sizes

Build 2059

  • Added smooth scrolling
  • Added spell checking
  • Tab Completion is enabled by default. Shift+Tab can be used to insert a literal tab
  • Pressing Ctrl+Space after a tab completion will adjust the last completion, rather than starting a new one
  • Tab completion is smarter about when to insert a completion, and when to insert a tab
  • Auto complete is now case insensitive
  • Added global setting,
  • Disclosure buttons on the tree control have a larger target area
  • Tweaked tab header background for improved contrast
  • Status bar column display correctly accounts for tabs
  • Fixed an issue with scrollbars on small files
  • Shift+Mouse wheel scrolls horizontally
  • Recent files no longer appear in the Goto Anything list
  • Improved startup time
  • Updated HTML completions
  • Updated path handling in exec.py
  • OSX: Added support for Help/Search
  • OSX: Activating the application when no windows are open creates a new window
  • Linux: Fixed a crash that could occur in Save All

Build 2051

  • Bracket matching is smarter, and will ignore brackets in comments and strings
  • OSX and Linux: Fixed a bug that could result in spiraling CPU usage
  • Added ":;" pairing in CSS
  • Reworked Layout menu
  • Scroll bar pucks are rendered with subpixel precision
  • Windows and Linux: Moving to the right by words will stop at the end of words, rather than the beginning
  • OSX: Improved minimap rendering quality
  • OSX: Fixed a regression in 2046 with some keyboard layouts, such as Japanese and Chinese
  • OSX: Changed mouse button bindings. Ctrl+Left Mouse will now open a context menu
  • Linux: Current window is brought to front when opening a file from the command line
  • Linux: Context menu is shown on button press, instead of button release
  • "Remove Folder" is now "Remove Folder from Project"
  • Fixed ordering of the Default package
  • Fixed Wrap Paragraph not correctly accounting for leading whitespace
  • API: Added sublime.version() and sublime.channel()
  • API: Fixed view.set_status() and view.erase_status() not refreshing the status bar

Build 2047

  • Fixed mouse input regression in the license window and the select project window
  • OSX: Changed how the project is displayed in the title bar

Build 2046

  • Added a side bar menu, with the ability to do basic file manipulation
  • Snippets with punctuation triggers are supported again
  • Improved automatic snippet field cancellation
  • Added Show Unsaved Changes context menu item
  • Reworked keyboard input
  • Mouse buttons can be configured via the new files
  • Windows and Linux: Right mouse + scroll wheel will change files
  • Mouse buttons 4 and 5 will change files
  • Rotating the mouse wheel in the tab header area will change tabs
  • Linux: Window position and state are recorded in the session
  • Ctrl+W (Command+W on OSX) will close the window if no files are open
  • Ctrl+Shift+W (Command+Shift+W on OSX) will close the window
  • Quote auto-pairing is smarter, and will do the intended thing more often
  • Added file setting
  • Packages may add items to menus, including the main menu, context menu, and side bar menu
  • is automatically reloaded when changed
  • Added New Plugin and New Build System menu items
  • Build files may specify environment variables, using the key
  • Added file preference, which will be picked up by the build system
  • Add Line Before will insert the correct amount of indentation
  • Tweaked status message display
  • Tweaked switch_file
  • Disabled typing while dragging
  • Added diff syntax highlighting
  • Fixed regression in 2036 that caused unsaved file indicators to not show in the title bar
  • Linux: Fixed locale related bug that could cause multi-pane layouts to not work
  • OSX: Fixed Command+{X,C,V,Z,Y,A} not working in save and open panels
  • API: Added Command.is_visible(args)

Build 2039

  • Fixed an issue with Linux font rendering
  • Show minimap setting is respected when cloning
  • Fixed flicker that could occur when showing the auto complete window

Build 2036

  • Tab completion is now off by default, but can be turned back on with the new setting
  • Added File/Clone File menu item
  • Showing the project in the title bar
  • Populating file types in Open and Save dialogs
  • Ctrl+Shift+K will delete the current line (all platforms)
  • Improved delete_word command, it will now delete a word and a neighboring space when it makes sense to do so
  • Added Wrap Paragraph command (Alt+Q on Windows and Linux)
  • Updated PHP completions, with thanks to vostok4
  • Linux: Added support for global menus, as used by Ubuntu 11.04
  • Linux: Using XDG_CONFIG_HOME if set
  • Windows and Linux: Fixed slow startup when large folders are open
  • OSX: Option+Arrows will stop at the beginning of words when moving left, and the end of words when moving right
  • OSX: Drawing shadows on popup windows
  • OSX: Fixed mouse over highlights sometimes remaining on when the mouse leaves the window
  • Build systems support a key containing platform specific settings ("windows", "osx" or "linux")
  • Build systems support an optional "target" setting, which defaults to "exec". This specifies the command that will be run when the build system is triggered
  • Fixed the selector field in .sublime-build files not being interpreted correctly
  • Corrected the file_regex in Make.sublime-build
  • Fixed a crash bug that could occur when using Ctrl+P with save_on_focus_lost enabled
  • Fixed serialization of large numbers in settings files
  • Documentation: Added API Reference

Build 2032

  • Opening files no longer does any blocking IO in the main thread; working with remote files is much better now
  • Goto Anything gives file previews a short time to load before displaying them, reducing flicker from asynchronous loading
  • Reworked snippets and auto complete into a unified system
  • Word completions can be inserted by pressing tab
  • Added file format, for pre-defined completions
  • Added completion entries for HTML and PHP
  • Added new setting, , to automatically save files when switching applications
  • Improved font glpyh generation speed
  • Folder scanning is faster
  • Content based syntax detection now takes a lower precedence to the file extension based detection
  • / commands won't update the stack until the modifier keys are released
  • In the replace panel, ctrl+alt+enter will perform a replace all
  • OSX: Supporting "no_antialias" and "gray_antialias" font rendering settings
  • OSX: Not showing the proxy icon when the Goto Anything panel is open, to prevent Cocoa from doing unwarranted blocking IO
  • OSX: Restoring the window title when returning from full screen mode
  • Windows: Hide Menu is now restored correctly on startup
  • Fixed default_line_ending not being applied to empty files
  • API: Added auto complete API,
  • API: Added and
  • API: and commands are accessible from the view

Build 2027

  • Added bookmarks
  • Opened folders are kept synchronized with the file system
  • Individual folders can be removed via their context menu
  • Folders are loaded incrementally. Refresh Folders also works incrementally, and will not reset the expanded/collapsed state of the folder tree
  • Goto Anything: the ranking function will try harder to find the best match for each file
  • Added for emacs style marks, via commands , , and . Marks interact well with multiple selections.
  • Added an emacs style kill ring, and a corresponding command.
  • Added command , which scrolls the view to center on the selection. This is bound to Ctrl+K, Ctrl+C on Windows and Linux, or Ctrl+L on OSX.
  • Added Word Wrap Column menu
  • Added Ruler menu
  • Linux: Single instance support. This will only be enabled if a recent version of GTK is installed.
  • Linux: Support for the --wait command line parameter
  • Linux: Keypad enter key will insert a newline
  • Linux: WM_CLASS is set
  • OSX: Ctrl+K now works as expected when the cursor is at the end of a line
  • OSX: Ctrl+B is now unbound, so the default action of moving backwards by a character works
  • OSX: Option+Shift+Up/Down will work as expected
  • OSX: Implemented (Ctrl+L), and (Ctrl+Y) messages
  • Any keys bound to move by lines will take effect in Goto Anything and the filter window. Specifically, on OSX Ctrl+P and Ctrl+N can be used to select the next and previous items.
  • Windows: Added fake scrollbars to the window, as required by some belligerent mouse drivers
  • Stronger protection against infinitely recursive directory trees, especially for file systems that don't report inodes
  • In Global Settings, has been separated from
  • Changes to and are applied on the fly
  • Fixed Find in Files not recursing in some scenarios
  • now disables character input, as it should
  • Automatic Build System selection now prefers Build Systems in the User folder
  • Fixed an issue with curly bracket pairing
  • Normalizing newlines emitted from exec'd programs
  • no longer deletes punctuation and whitespace at the same time
  • Fixed a crash when trying to focus a group that doesn't exist
  • API: Added
  • API: add_regions() can be given an icon name
  • API: Added sublime.log_commands(bool), to log the commands that are being run

Build 2023

  • Fixed a crash in Goto Anything introduced in the previous version
  • Goto Anything file previewing is faster
  • Windows: Can now hide the menu, revealing it when alt is pressed
  • Multi-part extensions, such as "index.html.erb" work as expected
  • Updated syntax highlighting for Ruby and Ruby on Rails
  • Syntaxes are always shown in the menu, even if they don't have any associated file types
  • Added AppleScript syntax highlighting
  • Linux: Tweaked ignored modifier keys
  • Fixed window title being set incorrectly in some circumstances

Build 2020

  • New version numbering scheme
  • OSX: Using sparkle for automatic updates
  • OSX: Added command line helper
  • File syntax is detected by looking at the first line of the file
  • Added shadows to the text area when the sides are clipped. These can be customized with the shadowWidth and shadow properties in .tmTheme files
  • Adding folders is faster
  • Added Copy File Path to the context menu
  • OSX: Tweaked font rendering
  • OSX: Open and save dialogs follow the current directory
  • OSX: Improved startup time
  • OSX: Command+Shift+S will Save As, Command+Alt+S will Save All
  • OSX: Fixed a scenario where files passed to the application were ignored
  • OSX: Fixed a crash when clicking on the select project window
  • Find in Files: The global folder_exclude_patterns are respected
  • Find in Files: Folder names may be used in the include / exclude patterns
  • Linux / OSX: Adding folders with recursive symlinks are handled properly
  • Fixed a rendering issue with extremely long tokens
  • Fixed a crash bug if the folder list is cleared while it's still loading
  • Fixed a crash when pressing Ctrl+Tab with no open files
  • Added command line parameter
  • Tweaked scrolling behavior of the command
  • Improved symbol detection, especially for C++
  • Added new key "gutterForeground" to color schemes
  • Updated Haskell.tmLanguage
  • Updated Python.tmLanguage
  • Updated XML.tmLanguage
  • Updated CSS.tmLanguage
  • Lua: Highlighting the keyword
  • CSS: Fixed the '{' key binding not working as expected
  • Fixed explicitly set file types not being restored correctly from the session
  • Fixed Goto Anything displaying erratically when no files are open
  • API: Added
  • API: Implementing the on_close() callback

20110203 Changelog

  • Added tab context menu
  • Added "draw_minimap_border" setting
  • Added subword movement: Alt+Left/Right on Windows and Linux, Ctrl+Left/Right on OSX
  • Menu Mnemonics for Windows and Linux
  • Added Switch File menu
  • Folders passed on the command line are handled correctly
  • When closing a file that's currently loading, the load will be canceled immediately
  • Syntax definitions are loaded asynchronously
  • JavaScript: Better identification of functions for the symbol list
  • About window is modal
  • Added Ant and Erlang build systems
  • Made find highlights and bracket match highlights more visible
  • Goto Anything: When multiple folders are open, the folder name will be prefixed to the displayed file name
  • Fixed spaces in Goto Anything throwing off the highlighting character
  • Linux: Setting the mouse cursor
  • Linux: Support for running via a symlink
  • Linux: Support for remote files
  • Linux: Fixed a problem with drag and drop if the dropped filenames contained spaces
  • Linux: Checkboxes only show up on menu items where they should
  • Linux and Windows: Alt+<number> will switch to the given tab. Changing layout has moved to Alt+Shift+<number>
  • Windows: Improved startup speed
  • Windows: "-z arg" may be passed on the command line, and it will be ignored
  • OSX: Implemented scrollToBeginningOfDocument: and scrollToEndOfDocument:
  • OSX: Fixed Quad Pane layout incorrectly being bound to Option+4 (now Command+Option+4)
  • OSX: Fixed a crash that could occur in Select Project
  • OSX: Fixed a crash when pasting if the pasteboard contents can't be converted to a string
  • API: Fixed an interaction between EventListener plugins and the console panel
  • API: API functions validate they're being called on the correct thread

20110130 Changelog

  • Fixed a crash that could occur on startup
  • Fixed a crash that could occur when changing pane layout
  • Added menu items to change font size, in Preferences/Font
  • OSX: Adding support for more actions, including moveToBeginningOfParagraph: and moveToEndOfParagraph: deleteToEndOfParagraph:, and more. This enables Ctrl+a, Ctrl+e and Ctrl+k.
  • Adding the same folder a second time to the folder list will do nothing
  • Added a hover state to the disclosure buttons in the side bar
  • Ctrl+[ and Ctrl+] will indent / unindent on Windows and Linux
  • Implemented the command_mode setting
  • Linux: Fixed Ctrl+Shift+<number> key bindings
  • Linux: Open file dialog will allow multiple files to be selected
  • API: Python TextCommand plugins are triggered by widgets. This enables commands like delete_word (i.e., Ctrl+Backspace).
  • API: Added on_query_context
  • API: Added sublime.load_settings() and sublime.save_settings()
  • API: Added settings.erase()
  • API: view.text_point works as expected when passing in negative rows and columns
  • API: parser module may be imported on Linux

20110129 Changelog

  • Linux: Fixed an incompatibility with non-ubuntu distributions
  • Windows: Fixed an issue when running from a path with unicode characters
  • OSX: Command+1 will select the first tab, Command+2 the second, and so on
  • OSX: Command+M will minimize the window, match brackets is now Ctrl+M
  • OSX: Added Zoom to the Window menu
  • OSX: scroll_past_end defaults to false
  • Ignoring spaces when searching for files in Goto Anything
  • Goto Anything: '@' operator will select the current symbol by default
  • Goto Anything: ':' operator won't scroll the view until a line number is entered
  • Goto Anything: '#' operator won't set the whole word flag on the find panel
  • Goto Anything: '#' operator can be used to search for punctuation
  • Goto Anything: Fixed a bug where an unexpected file could be selected
  • Added syntax highlighting for Go
  • Tightened up tab close animation
  • Giving more feedback when adding a folder to the sidebar
  • Improved find panel status messages
  • API: Added sublime.packages_path()
  • API: Added sublime.installed_packages_path()

20110127 Changelog

Источник: [https://torrent-igruha.org/3551-portal.html]
1st Look v2.0.1 serial key or number

List of Logitech products

Product titleRelease yearButtonsScroll wheelSensor typeSensorResolution (dpi)WirelessBatteriesCustomizable weight(s)RemarksReferences Weight WingMan Gaming Mouse 19993NoOpto-mechanicalN/A?WiredN/ANoWingMan Force Feedback Mouse 19993NoOpto-mechanical ?N/A?WiredN/ANoHas force feedback; Also works as a joystickG1 20054YesOpticalS2020800WiredN/ANoMX518 20058YesOpticalA3080/A3080E400-1600 (A3080) 400-1800 (A3080E)WiredN/ANoReplaced by G400 in 2011.100g Approx G3 20056YesIR LaserS6006?-2000WiredN/ANoReplaced by G300 in 2011.G5 2005 (2007 for black/blue edition)8/9(SE)YesIR LaserS6006400-2000WiredN/AEight 1.7g weights and eight 4.5g weights that could be inserted in groups of eight in a chosen arrangement to alter the balance of the mouseReplaced by G500 in 2009.G7 20058YesIR LaserS6006400-20002.4 GHzLi-IonNoBatteries were swappable and charged in a base station that also acted as an anchor for the receiver.G9 20077Free Spinning (Mechanical switch toggled)IR LaserA60903200WiredN/AFour 4g weights and four 7g weights that could be inserted in groups of eight in a chosen arrangement to alter the balance of the mouseReplaced by G9x in 2008G9x 20087Free Spinning (Mechanical switch toggled)IR LaserS9500200-5700WiredN/AFour 4g weights and four 7g weights that could be inserted in a group of four in a chosen arrangement to alter the balance of the mouseG500 200910Free Spinning (Mechanical switch toggled)IR LaserS9500200-5700WiredN/ASix 1.7g weights and six 4.5g weights that could be inserted in groups of six in a chosen arrangement to alter the balance of the mouseReplaced by the G500s in 2013[18]G700 201013Free Spinning (Mechanical switch toggled)IR LaserS9500200-5700 (software controlled)2.4 GHz / may also connect via USB cable1×AA NiMH (rechargeable); non-rechargeable AAs not supportedNoReplaced by the G700s in 2013G300/G300s 20119YesOpticalA3055200-2500WiredN/ANoG400 20118YesOpticalS3095400-3600WiredN/ANoReplaced by the G400s in 2013G600 201220YesIR LaserS9808200-8200WiredN/ANoColor changing thumb buttons, on-board memory for 3 button mapping profiles, supports changes controlled by mouse buttons.[19]G100s 20135YesOpticalAM010250-2500WiredN/ANoReplaced by the Pro in 2016 G400s 20138YesOpticalS3095200-4000WiredN/ANoReplaced by the G402 Hyperion Fury in 2014 G500s 201310Free Spinning (Mechanical switch toggled)IR LaserS9808200-8200WiredN/AEight 1.7g weights and eight 4.5g weights that could be inserted in groups of eight in a chosen arrangement to alter the balance of the mouseReplaced by the G502 Proteus Core in 2014[20]G602 201311YesOpticalAM010250-25002.4 GHz2×AA (Can function with just one)NoFeatures long battery life and two power modes: Performance and Endurance, with 250 hours of battery life and 1100 hours of battery life respectively.

Replaced by G603 in 2017.

G700s 201313Free Spinning (Mechanical switch toggled)IR LaserS9808200-8200 (software controlled)2.4 GHz / may also connect via USB cable1×AA NiMH (rechargeable); non-rechargeable AAs not supportedNoG90 20145YesOpticalAM010250-2500WiredN/ANoA less durable version of the G100s for Asian marketsG402 Hyperion Fury 20148YesHybrid optical and accelerometerAM010240-4000WiredN/ANoCombines optical sensor with an accelerometer, allowing the mouse to track speeds in excess of 500 inches per second, and more than 16G in acceleration.108 g (3.8 oz) (without cable)

144 g (5.1 oz) (with cable)

G502 Proteus Core 201411Free Spinning (Mechanical switch toggled)IR OpticalPMW3366200-12000WiredN/AFive 3.6g weights that can be inserted in a chosen arrangement to alter the balance of the mouseG302 Daedalus Prime 20146YesOpticalAM010240-4000WiredN/ANo122 g (4 oz) G303 Daedalus Apex 20156YesIR OpticalPMW3366200-12000WiredN/ANoFeatures fully customizable RGB lighting and the popular PMW3366 sensor along with additional feet to appeal to the FPS gaming market, as opposed to the G302 intended for the MOBA market.122 g (4 oz) G502 Proteus Spectrum 201611Free Spinning (Mechanical switch toggled)IR OpticalPMW3366200-12000WiredN/AFive 3.6g weights that can be inserted in a chosen arrangement to alter the balance of the mouseFully customizable RGB lighting, only change from the original G502 aside from the removal of cyan highlights from the body of the mouse.121 g (4.3 oz) (without cable)

168 g (5.9 oz) (with cable)

G900 Chaos Spectrum 201611Free Spinning (Mechanical switch toggled)IR OpticalPMW3366200-120002.4 GHz / may also connect via USB cableRechargeable Li-Po (750 mAh) batteryNoFully customizable RGB lighting, features ambidextrous design with customizable thumb buttons. Features what is considered to be the best wireless technology on the market. Replaced by G903110 g (3.88 oz) (without cable) PRO 20166YesIR OpticalPMW3366200-12000WiredN/ANoFully customizable RGB lighting. Update to the popular G100s, which was used heavily in professional FPS leagues.85g (3.0 oz) (without cable)

130g (4.5 oz) (with cable)

G403 Prodigy 20166YesIR OpticalPMW3366200-12000WiredN/ASingle 10g weight inserted at the rear of the mouseFully customizable RGB lighting. 87.3 g (3.08 oz) (without cable)

135 g (4.76 oz) (with cable)

G403 Prodigy Wireless 20166YesIR OpticalPMW3366200-120002.4 GHz / may also connect via USB cableRechargeable Li-Po (750 mAh) batterySingle 10g weight inserted at the rear of the mouseFully customizable RGB lighting. Features same wireless technology as the G900.

Replaced by G703.

107.2 g (3.78 oz) (without cable and weight) G102 Prodigy/G203 Prodigy 20176YesIR OpticalMercury200-8000 (6000 at launch)WiredN/ANoFully customizable RGB lighting.

Part of new "Prodigy" line intended for new PC gamers, with all "Prodigy" products costing $69.99 USD, except this mouse, which costs $39.99.

Uses a new sensor, exact model and details are withheld, only known as the "Mercury" sensor. Not based on the PWM3366 sensor from PixArt.[21]

83 g (2.9 oz) (without cable) G903 Lightspeed Wireless 201711Free Spinning (Mechanical switch toggled)IR OpticalPMW3366200-120002.4 GHz / may also connect via USB cable / capable of use with the Powerplay wireless charging systemRechargeable Li-Po (750 mAh) batterySingle 10g weight inserted at the rear of the mouse, not usable when paired with PowerPlayFully customizable RGB lighting.

Revision of the G900, capable of interfacing with the PowerPlay charging mouse pad, which acts as a wireless receiver and inductive charger.

110 g (3.88 oz) (without cable) G703 Lightspeed Wireless 20176YesIR OpticalPMW3366200-120002.4 GHz / may also connect via USB cable / capable of use with the Powerplay wireless charging systemRechargeable Li-Po (750 mAh) batterySingle 10g weight inserted at the rear of the mouse, not usable when paired with PowerPlayFully customizable RGB lighting.

Revision of the G403 Wireless, capable of interfacing with the PowerPlay charging mouse pad, which acts as a wireless receiver and inductive charger.

107.2 g (3.78 oz) (without cable, without weight, with weight door) G603 Lightspeed Wireless 20176YesIR OpticalHero200-120002.4 GHz / Bluetooth / can connect up to two devices, one per method2xAA (Can use 1xAA to reduce weight), up to 500 hours rated life in high response time mode (continuous gaming), 18 months in low response time modeNoA version of the G403/G703 that uses the Hero sensor, featuring low and high performance modes in which, respectively, one is optimized for long life and does so by reducing response time to 8ms, and the other is optimized for gaming performance and uses a 1ms response time at the cost of battery life.

New "Hero" sensor is a completely new sensor developed by Logitech. The sensor is optimized for precision and power efficiency.

The mouse has no customizable lighting to increase battery life.

Replaced by G604

88.9 g (3.14 oz) (mouse only)

112.3 g (3.96 oz) (with 1 AA battery)

135.7 g (4.79 oz) (with 2 AA batteries)

PRO Wireless 20186YesIR OpticalHero100-160002.4 GHz / may also connect via USB cable / capable of use with the Powerplay wireless charging systemRechargeable Li-Po (240 mAh) batteryNoA wireless addition to Logitech's Pro Line of Products. While it is named very similarly to the Pro Gaming Mouse, It uses a different shape. Has fully customizable RGB lighting. Used by around 27% of professional gamers.[22]80g (2.8 oz) G304/G305 Lightspeed Wireless 20186YesIR OpticalHero100-120002.4 GHz1xAA, up to 250 hours rated life in high response time mode, 9 months in low response time modeNoMarketed as G304 in Asia, G305 in other regions99 g (3.42 oz) G502 Hero 201811Free Spinning (Mechanical switch toggled)IR OpticalHero100-16000WiredN/AFive 3.6g weights that can be inserted in a chosen arrangement to alter the balance of the mouseUpdate to the G502 Proteus Spectrum with new Hero sensor and new braided cable121 g (4.3 oz) (without cable)

168 g (5.9 oz) (with cable)

Pro Hero 20186YesIR OpticalHero100-16000WiredN/ANoUpdate to the Pro Gaming Mouse with new Hero sensor and new rubber cable83g (2.9 oz) (without cable)

130g (4.6 oz) (with cable)

MX518 Legendary 2018 (China) 2019 (World) 8 Yes IR Optical Hero 100-16000 Wired N/A No Based on the design of the MX518 but with a refreshed appearance and Logitech's current internal hardware.[23][24]101g (3.6 oz) (without cable) G903 HERO 201911Free Spinning (Mechanical switch toggled)IR OpticalHero100-160002.4 GHz / may also connect via USB cable / capable of use with the Powerplay wireless charging systemRechargeable Li-Po (750 mAh) batterySingle 10g weight inserted at the rear of the mouse, not usable when paired with PowerPlayFully customizable RGB lighting.

Revision of the G903: the only difference being the sensor, resulting in improved battery life up to 180 hours when RGB is off.

110g (3.88 oz) (without cable) G502 Lightspeed Wireless 201911Free Spinning (Mechanical switch toggled)IR OpticalHero100-160002.4 GHz / may also connect via USB cable / capable of use with the Powerplay wireless charging systemRechargeable Li-Po (250 mAh) battery4x2g and 2x4g weights that can be inserted in a chosen arrangement to alter the balance of the mouseUpdate to the G502 with Lightspeed wireless114 g (4.3 oz) (without cable) G604 Lightspeed Wireless 2019 15 Free Spinning (Mechanical switch toggled)IR Optical Hero 100-16000 2.4 GHz / Bluetooth / can connect up to two devices, one per method 1xAA, up to 240 hours rated life when using 2.4 GHz, 5.5 months on Bluetooth No Update to G602 with newer Hero sensor 135 g (4.76 oz), with AA battery
Источник: [https://torrent-igruha.org/3551-portal.html]
.

What’s New in the 1st Look v2.0.1 serial key or number?

Screen Shot

System Requirements for 1st Look v2.0.1 serial key or number

Add a Comment

Your email address will not be published. Required fields are marked *