- Timestamp:
- 06/17/17 10:02:07 (6 years ago)
- Location:
- wiki/pages
- Files:
-
- 224 edited
Legend:
- Unmodified
- Added
- Removed
-
wiki/pages/TracInterfaceCustomization
r40534 r40542 1 = Customizing the Trac Interface 2 [[TracGuideToc]] 3 [[PageOutline]] 4 5 == Introduction 6 This page gives suggestions on how to customize the look of Trac. Topics include editing the HTML templates and CSS files, but not the program code itself. The topics show users how they can modify the look of Trac to meet their specific needs. Suggestions for changes to Trac's interface applicable to all users should be filed as tickets, not listed on this page. 7 8 == Project Logo and Icon 9 The easiest parts of the Trac interface to customize are the logo and the site icon. Both of these can be configured with settings in [wiki:TracIni trac.ini]. 10 11 The logo or icon image should be put in a folder named "htdocs" in your project's environment folder. ''Note: in projects created with a Trac version prior to 0.9 you will need to create this folder''. 12 13 '''Note''': you can actually put the logo and icon anywhere on your server (as long as it's accessible through the web server), and use their absolute or server-relative URLs in the configuration. 14 15 Now configure the appropriate section of your [wiki:TracIni trac.ini]: 16 17 === Logo 18 Change the `src` setting to `site/` followed by the name of your image file. The `width` and `height` settings should be modified to match your image's dimensions. The Trac chrome handler uses "`site/`" for files within the project directory `htdocs`, and "`common/`" for the common `htdocs` directory belonging to a Trac installation. Note that 'site/' is not a placeholder for your project name, it is the literal prefix that should be used. For example, if your project is named 'sandbox', and the image file is 'red_logo.gif' then the 'src' setting would be 'site/red_logo.gif', not 'sandbox/red_logo.gif'. 19 20 {{{#!ini 21 [header_logo] 22 src = site/my_logo.gif 23 alt = My Project 24 width = 300 25 height = 100 26 }}} 27 28 === Icon 29 Icons are small images displayed by your web browser next to the site's URL and in the `Bookmarks` menu. Icons should be a 32x32 image in `.gif` or `.ico` format. Change the `icon` setting to `site/` followed by the name of your icon file: 30 31 {{{#!ini 32 [project] 33 icon = site/my_icon.ico 34 }}} 35 36 == Custom Navigation Entries 37 The new [mainnav] and [metanav] can now be used to customize the text and link used for the navigation items, or even to disable them, but not for adding new ones. 38 39 In the following example, we rename the link to the Wiki start "Home", and hide the "!Help/Guide". We also make the "View Tickets" entry link to a specific report: 40 {{{#!ini 41 [mainnav] 42 wiki.label = Home 43 tickets.href = /report/24 44 45 [metanav] 46 help = disabled 47 }}} 48 49 See also TracNavigation for a more detailed explanation of the mainnav and metanav terms. 50 51 == Site Appearance == #SiteAppearance 52 53 Trac is using [http://genshi.edgewall.org Genshi] as the templating engine. Say you want to add a link to a custom stylesheet, and then your own header and footer. Save the following content as `site.html` inside your projects `templates/` directory (each Trac project can have their own `site.html`), eg `/path/to/env/templates/site.html`: 54 55 {{{#!xml 56 <html xmlns="http://www.w3.org/1999/xhtml" 57 xmlns:py="http://genshi.edgewall.org/" 58 py:strip=""> 59 60 <!--! Add site-specific style sheet --> 61 <head py:match="head" py:attrs="select('@*')"> 62 ${select('*|comment()|text()')} 63 <link rel="stylesheet" href="${href.chrome('site/style.css')}" /> 64 </head> 65 66 <body py:match="body" py:attrs="select('@*')"> 67 <!--! Add site-specific header --> 68 <div id="siteheader"> 69 <!--! Place your header content here... --> 70 </div> 71 72 ${select('*|text()')} 73 74 <!--! Add site-specific footer --> 75 <div id="sitefooter"> 76 <!--! Place your footer content here... --> 77 </div> 78 </body> 79 </html> 80 }}} 81 82 Notice that XSLT bears some similarities with Genshi templates. However, there are some Trac specific features, for example the `${href.chrome('site/style.css')}` attribute references `style.css` in the environment's `htdocs/` directory. In a similar fashion `${chrome.htdocs_location}` is used to specify the common `htdocs/` directory belonging to a Trac installation. That latter location can however be overriden using the [[TracIni#trac-section|[trac] htdocs_location]] configuration setting. 83 84 `site.html` is one file to contain all your modifications. It usually works using the `py:match` directive (element or attribute), and it allows you to modify the page as it renders. The matches hook onto specific sections depending on what it tries to find and modify them. 85 See [http://groups.google.com/group/trac-users/browse_thread/thread/70487fb2c406c937/ this thread] for a detailed explanation of the above example `site.html`. 86 A `site.html` can contain any number of such `py:match` sections for whatever you need to modify. This is all Genshi, so the [http://genshi.edgewall.org/wiki/Documentation/xml-templates.html docs on the exact syntax] can be found there. 87 88 Example snippet of adding introduction text to the new ticket form (but not shown during preview): 89 90 {{{#!xml 91 <form py:match="div[@id='content' and @class='ticket']/form" py:attrs="select('@*')"> 92 <py:if test="req.environ['PATH_INFO'] == '/newticket' and (not 'preview' in req.args)"> 93 <p>Please make sure to search for existing tickets before reporting a new one!</p> 94 </py:if> 95 ${select('*')} 96 </form> 97 }}} 98 99 This example illustrates a technique of using `req.environ['PATH_INFO']` to limit scope of changes to one view only. For instance, to make changes in `site.html` only for timeline and avoid modifying other sections - use `req.environ['PATH_INFO'] == '/timeline'` condition in `<py:if>` test. 100 101 More examples snippets for `site.html` can be found at [trac:wiki:CookBook/SiteHtml CookBook/SiteHtml]. 102 103 Example snippets for `style.css` can be found at [trac:wiki:CookBook/SiteStyleCss CookBook/SiteStyleCss]. 104 105 Note that the `site.html`, despite its name, can be put in a shared templates directory, see the [[TracIni#inherit-section|[inherit] templates_dir]] option. This could provide easier maintainence (and a migration path from 0.10 for larger installations) as one new global `site.html` file can be made to include any existing header, footer and newticket snippets. 106 107 == Project List == #ProjectList 108 109 You can use a custom Genshi template to display the list of projects if you are using Trac with multiple projects. 110 111 The following is the basic template used by Trac to display a list of links to the projects. For projects that could not be loaded, it displays an error message. You can use this as a starting point for your own index template: 112 113 {{{#!text/html 114 <!DOCTYPE html 115 PUBLIC "-//W3C//DTD XHTML 1.0 Strict//EN" 116 "http://www.w3.org/TR/xhtml1/DTD/xhtml1-strict.dtd"> 117 <html xmlns="http://www.w3.org/1999/xhtml" 118 xmlns:py="http://genshi.edgewall.org/" 119 xmlns:xi="http://www.w3.org/2001/XInclude"> 120 <head> 121 <title>Available Projects</title> 122 </head> 123 <body> 124 <h1>Available Projects</h1> 125 <ul> 126 <li py:for="project in projects" py:choose=""> 127 <a py:when="project.href" href="$project.href" 128 title="$project.description">$project.name</a> 129 <py:otherwise> 130 <small>$project.name: <em>Error</em> <br /> ($project.description)</small> 131 </py:otherwise> 132 </li> 133 </ul> 134 </body> 135 </html> 136 }}} 137 138 Once you've created your custom template you will need to configure the webserver to tell Trac where the template is located (pls verify ... not yet changed to 0.11): 139 140 For [wiki:TracModWSGI mod_wsgi]: 141 {{{#!python 142 os.environ['TRAC_ENV_INDEX_TEMPLATE'] = '/path/to/template.html' 143 }}} 144 145 For [wiki:TracFastCgi FastCGI]: 146 {{{#!apache 147 FastCgiConfig -initial-env TRAC_ENV_PARENT_DIR=/parent/dir/of/projects \ 148 -initial-env TRAC_ENV_INDEX_TEMPLATE=/path/to/template 149 }}} 150 151 For [wiki:TracModPython mod_python]: 152 {{{#!apache 153 PythonOption TracEnvParentDir /parent/dir/of/projects 154 PythonOption TracEnvIndexTemplate /path/to/template 155 }}} 156 157 For [wiki:TracCgi CGI]: 158 {{{#!apache 159 SetEnv TRAC_ENV_INDEX_TEMPLATE /path/to/template 160 }}} 161 162 For [wiki:TracStandalone], you'll need to set up the `TRAC_ENV_INDEX_TEMPLATE` environment variable in the shell used to launch tracd: 163 - Unix 164 {{{#!sh 165 $ export TRAC_ENV_INDEX_TEMPLATE=/path/to/template 166 }}} 167 - Windows 168 {{{#!sh 169 $ set TRAC_ENV_INDEX_TEMPLATE=/path/to/template 170 }}} 171 172 == Project Templates 173 174 The appearance of each individual Trac environment, ie instance of a project, can be customized independently of other projects, even those hosted on the same server. The recommended way is to use a `site.html` template (see [#SiteAppearance]) whenever possible. Using `site.html` means changes are made to the original templates as they are rendered, and you should not normally need to redo modifications whenever Trac is upgraded. If you do make a copy of `theme.html` or any other Trac template, you need to migrate your modifiations to the newer version. If not, new Trac features or bug fixes may not work as expected. 175 176 With that word of caution, any Trac template may be copied and customized. The default Trac templates are located inside the installed Trac egg (`/usr/lib/pythonVERSION/site-packages/Trac-VERSION.egg/trac/templates, .../trac/ticket/templates, .../trac/wiki/templates, ...`). The [#ProjectList] template file is called `index.html`, while the template responsible for main layout is called `theme.html`. Page assets such as images and CSS style sheets are located in the egg's `trac/htdocs` directory. 177 178 However, do not edit templates or site resources inside the Trac egg. Reinstalling Trac overwrites your modifications. Instead use one of these alternatives: 179 * For a modification to one project only, copy the template to project `templates` directory. 180 * For a modification shared by several projects, copy the template to a shared location and have each project point to this location using the `[inherit] templates_dir` trac.ini option. 181 182 Trac resolves requests for a template by first looking inside the project, then in any inherited templates location, and finally inside the Trac egg. 183 184 Trac caches templates in memory by default to improve performance. To apply a template you need to restart the web server. 185 186 ---- 187 See also TracGuide, TracIni -
wiki/pages/TracLanguages
r40534 r40542 1 ||=Code=||=Name=||=English name=||=Language title=|| 2 ||Ar||العربية||Arabic||لغات أخرى|| 3 ||Ast||asturianu||Asturian||Otres llingües|| 4 ||Az||azərbaycanca||Azeri||Başqa dillərdə|| 5 ||Be||беларуская||Belarusian||Іншыя мовы|| 6 ||Bg||български||Bulgarian||Други езици|| 7 ||Bn||বাংলা||Bengali||অন্যান্য ভাষাসমূহ|| 8 ||Bs||bosanski||Bosnian||Drugim jezicima|| 9 ||Ca||català||Catalan||Altres llengües|| 10 ||Ca-Valencia||valencià||Valencian||Altres llengües|| 11 ||Cs||čeština||Czech||Další jazyky|| 12 ||Da||dansk||Danish||Andre sprog|| 13 ||de||Deutsch||German||Andere Sprachen|| 14 ||gr||Ελληνικά||Greek||Άλλες γλώσσες|| 15 ||en||English||(American) English||Languages|| 16 ||En_AU||Australian||Australian English||Languages|| 17 ||En_GB||British||British||Languages|| 18 ||Es||español||Spanish||Altres idiomas|| 19 ||Et||eesti||Estonian||Teistes keeltes|| 20 ||Eu||euskara||Basque||Beste hizkuntzak|| 21 ||Fa||فارسی||Persian||زبانهای دیگر|| 22 ||Fi||suomi||Finnish||Muilla kielillä|| 23 ||fr||français||French||Autres langues|| 24 ||Gl||galego||Galician||Outras linguas|| 25 ||He||עברית||Hebrew||שפות אחרות|| 26 ||Hi||हिन्दी||Hindi||अन्य भाषाओं|| 27 ||Hr||hrvatski||Croatian||Drugi jezici|| 28 ||Hu||magyar||Hungarian||Más nyelveken|| 29 ||Hy||Հայերեն||Armenian||այլ լեզուներ|| 30 ||Id||Bahasa Indonesia||Indonesian||Bahasa lain|| 31 ||Is||Íslenska||Icelandic||Á öðrum tungumálum|| 32 ||it||italiano||Italian||Altre lingue|| 33 ||Ja||日本語||Japanese||他の言語|| 34 ||Ka||ქართული||Georgian||სხვა ენებზე|| 35 ||Ko||한국어||Korean||다른 언어|| 36 ||Km||ភាសាខ្មែរ||Khmer||ភាសាផ្សេងទៀត|| 37 ||Lt||lietuvių||Lithuanian||Kitomis kalbomis|| 38 ||Lv||latviešu||Latvian||Pārējās valodas|| 39 ||Mk||македонски||Macedonian||Други јазици|| 40 ||Nb||norsk bokmål||Norwegian (Bokmal)||Andre språk|| 41 ||nl||Nederlands||Dutch||Andere talen|| 42 ||pl||polski||Polish||Inne języki|| 43 ||Pt||português||Portuguese||Outras línguas|| 44 ||Pt_BR||português brasileiro||Brazilian Portuguese||Outras línguas|| 45 ||Ro||Română||Romanian||Alte limbi|| 46 ||ru||русский||Russian||Другие языки|| 47 ||Sq||shqip||Albanian||Gjuhët e tjera|| 48 ||Sk||slovenčina||Slovak||Ďalšie jazyky|| 49 ||Sl||slovenščina||Slovenian||Drugi jeziki|| 50 ||Sr||српски||Serbian||Остали језици|| 51 ||Sv||svenska||Swedish||Andra språk|| 52 ||Th||ไทย||Thai||ภาษาอื่น ๆ|| 53 ||Tr||Türkçe||Turkish||Diğer diller|| 54 ||Uk||українська||Ukrainian||Інші мови|| 55 ||Uz||ўзбек тили||Uzbek||Boshqa tillarda|| 56 ||vn||Tiếng Việt||Vietnamese||Ngôn ngữ khác|| 57 ||Zh_CN||简体中文||Chinese (Simplified)||其他语言|| 58 ||Zh_TW||正體中文||Chinese (Traditional)||其他語言|| -
wiki/pages/TracLinks
r40534 r40542 1 = Trac Links = 2 [[TracGuideToc]] 3 4 TracLinks are a fundamental feature of Trac, because they allow easy hyperlinking between the various entities in the system—such as tickets, reports, changesets, Wiki pages, milestones, and source files—from anywhere WikiFormatting is used. 5 6 TracLinks are generally of the form '''type:id''' (where ''id'' represents the 7 number, name or path of the item) though some frequently used kinds of items 8 also have short-hand notations. 9 10 == Where to use TracLinks == 11 You can use TracLinks in: 12 13 * Source code (Subversion) commit messages 14 * Wiki pages 15 * Full descriptions for tickets, reports and milestones 16 17 and any other text fields explicitly marked as supporting WikiFormatting. 18 19 == Overview == 20 21 ||= Wiki Markup =||= Display =|| 22 {{{#!td 23 Wiki pages :: `CamelCase` or `wiki:CamelCase` 24 Parent page :: `[..]` 25 Tickets :: `#1` or `ticket:1` 26 Ticket comments :: `comment:1:ticket:2` 27 Reports :: `{1}` or `report:1` 28 Milestones :: `milestone:1.0` 29 Attachment :: `attachment:example.tgz` (for current page attachment), `attachment:attachment.1073.diff:ticket:944` (absolute path) 30 Changesets :: `r1`, `[1]`, `changeset:1` or (restricted) `[1/trunk]`, `changeset:1/trunk`, `[1/repository]` 31 Revision log :: `r1:3`, `[1:3]` or `log:@1:3`, `log:trunk@1:3`, `[2:5/trunk]` 32 Diffs :: `diff:@1:3`, `diff:plugins/0.12/mercurial-plugin@9128:9953`, 33 `diff:tags/trac-0.9.2/wiki-default//tags/trac-0.9.3/wiki-default` 34 or `diff:trunk/trac@3538//sandbox/vc-refactoring@3539` 35 Files :: `source:trunk/COPYING`, `source:/trunk/COPYING@200` (at version 200), `source:/trunk/COPYING@200#L25` (at version 200, line 25) 36 }}} 37 {{{#!td 38 Wiki pages :: CamelCase or wiki:CamelCase 39 Parent page :: [..] 40 Tickets :: #1 or ticket:1 41 Ticket comments :: comment:1:ticket:2 42 Reports :: {1} or report:1 43 Milestones :: milestone:1.0 44 Attachment :: attachment:example.tgz (for current page attachment), attachment:attachment.1073.diff:ticket:944 (absolute path) 45 Changesets :: r1, [1], changeset:1 or (restricted) [1/trunk], changeset:1/trunk, [1/repository] 46 Revision log :: r1:3, [1:3] or log:@1:3, log:trunk@1:3, [2:5/trunk] 47 Diffs :: diff:@1:3, diff:plugins/0.12/mercurial-plugin@9128:9953, 48 diff:tags/trac-0.9.2/wiki-default//tags/trac-0.9.3/wiki-default 49 or diff:trunk/trac@3538//sandbox/vc-refactoring@3539 50 Files :: source:trunk/COPYING, source:/trunk/COPYING@200 (at version 200), source:/trunk/COPYING@200#L25 (at version 200, line 25) 51 }}} 52 53 '''Note:''' The wiki:CamelCase form is rarely used, but it can be convenient to refer to 54 pages whose names do not follow WikiPageNames rules, i.e., single words, 55 non-alphabetic characters, etc. See WikiPageNames for more about features specific 56 to links to Wiki page names. 57 58 59 {{{#!table class="" 60 |||| Trac links using the full (non-shorthand) notation can also be given a custom link title like this: || 61 {{{#!td 62 {{{ 63 [ticket:1 This is a link to ticket number one] or 64 [[ticket:1|This is another link to ticket number one]]. 65 }}} 66 }}} 67 {{{#!td 68 [ticket:1 This is a link to ticket number one] or 69 [[ticket:1|This is another link to ticket number one]]. 70 }}} 71 |-------------------------------------------------------------------------------------- 72 |||| If the title is omitted, only the id (the part after the colon) is displayed: || 73 {{{#!td 74 {{{ 75 [ticket:1] or [[ticket:2]] 76 }}} 77 }}} 78 {{{#!td 79 [ticket:1] or [[ticket:2]] 80 }}} 81 |-------------------------------------------------------------------------------------- 82 |||| `wiki` is the default if the namespace part of a full link is omitted: || 83 {{{#!td 84 {{{ 85 [SandBox the sandbox] or 86 [[SandBox|the sandbox]] 87 }}} 88 }}} 89 {{{#!td 90 [SandBox the sandbox] or 91 [[SandBox|the sandbox]] 92 }}} 93 |-------------------------------------------------------------------------------------- 94 |||| The short form ''realm:target'' can also be wrapped within a <...> pair, [[br]] which allow for arbitrary characters (i.e. anything but >) || 95 {{{#!td 96 {{{ 97 <wiki:Strange(page@!)> 98 }}} 99 }}} 100 {{{#!td 101 <wiki:Strange(page@!)> 102 }}} 103 }}} 104 105 TracLinks are a very simple idea, but actually allow quite a complex network of information. In practice, it's very intuitive and simple to use, and we've found the "link trail" extremely helpful to better understand what's happening in a project or why a particular change was made. 106 107 108 == Advanced use of TracLinks == 109 110 === Relative links === 111 112 To create a link to a [trac:SubWiki SubWiki]-page just use a '/': 113 {{{ 114 WikiPage/SubWikiPage or ./SubWikiPage 115 }}} 116 117 To link from a [trac:SubWiki SubWiki] page to a parent, simply use a '..': 118 {{{ 119 [..] or [[..]] 120 }}} 121 [..] or [[..]] 122 123 To link from a [trac:SubWiki SubWiki] page to a [=#sibling sibling] page, use a '../': 124 {{{ 125 [../Sibling see next sibling] or [[../Sibling|see next sibling]] 126 }}} 127 [../Sibling see next sibling] or [[../Sibling|see next sibling]] 128 129 But in practice you often won't need to add the `../` prefix to link to a sibling page. 130 For resolving the location of a wiki link, it's the target page closest in the hierarchy 131 to the page where the link is written which will be selected. So for example, within 132 a sub-hierarchy, a sibling page will be targeted in preference to a toplevel page. 133 This makes it easy to copy or move pages to a sub-hierarchy by [[WikiNewPage#renaming|renaming]] without having to adapt the links. 134 135 In order to link explicitly to a [=#toplevel toplevel] Wiki page, 136 use the `wiki:/` prefix. Be careful **not** to use the `/` prefix alone, as this corresponds to the [#Server-relativelinks] syntax and with such a link you will lack the `/wiki/` part in the resulting URL. A link such as `[../newticket]` will stay in the wiki namespace and therefore link to a sibling page. 137 138 === Link anchors === 139 140 To create a link to a specific anchor in a page, use '#': 141 {{{ 142 [#Linkanchors Link anchors] or [[#Linkanchors|Link anchors]] 143 }}} 144 [#Linkanchors Link anchors] or [[#Linkanchors|Link anchors]] 145 146 Hint: when you move your mouse over the title of a section, a '¶' character will be displayed. This is a link to that specific section and you can use this to copy the `#...` part inside a relative link to an anchor. 147 148 To create a link to the first or last occurrence of a term on a page, use a ''pseudo anchor'' starting with '#/' or '#?': 149 {{{ 150 [#/Milestone first occurrence of Milestone] or 151 [#?Milestone last occurrence of Milestone] 152 }}} 153 [#/Milestone first occurrence of Milestone] or 154 [#?Milestone last occurrence of Milestone] 155 This will also highlight all other matches on the linked page. By default only case sensitive matches are considered. To include case insensitive matches append '/i': 156 {{{ 157 [#/Milestone/i first occurrence of Milestone or milestone] or 158 [#?Milestone/i last occurrence of Milestone or milestone] 159 }}} 160 [#/Milestone/i first occurrence of Milestone or milestone] or 161 [#?Milestone/i last occurrence of Milestone or milestone] 162 163 ''(since Trac 1.0)'' 164 165 Such anchors can be very useful for linking to specific lines in a file in the source browser: 166 {{{ 167 [trac:source:tags/trac-0.12/trac/wiki/api.py#L127 Line 127] or 168 [trac:source:tags/trac-0.12/trac/ticket/roadmap.py#L47 Line 47] 169 }}} 170 [trac:source:tags/trac-0.12/trac/wiki/api.py#L127 Line 127] or 171 [trac:source:tags/trac-0.12/trac/ticket/roadmap.py#L47 Line 47] 172 (Hint: The line numbers displayed in the source browser are links to anchors on the respective lines.) 173 174 Since such links become outdated when the file changes, it can be useful to link using a '#/' pseudo anchor instead: 175 {{{ 176 [trac:source:trunk/trac/wiki/api.py#/IWikiSyntaxProvider IWikiSyntaxProvider] or 177 [trac:source:trunk/trac/env.py#/ISystemInfoProvider ISystemInfoProvider] 178 }}} 179 [trac:source:trunk/trac/wiki/api.py#/IWikiSyntaxProvider IWikiSyntaxProvider] or 180 [trac:source:trunk/trac/env.py#/ISystemInfoProvider ISystemInfoProvider] 181 182 === InterWiki links === 183 184 Other prefixes can be defined freely and made to point to resources in other Web applications. The definition of those prefixes as well as the URLs of the corresponding Web applications is defined in a special Wiki page, the InterMapTxt page. Note that while this could be used to create links to other Trac environments, there's a more specialized way to register other Trac environments which offers greater flexibility. 185 186 === InterTrac links === 187 188 This can be seen as a kind of InterWiki link specialized for targeting other Trac projects. 189 190 Any type of Trac link can be written in one Trac environment and actually refer to resources in another Trac environment. All that is required is to prefix the Trac link with the name of the other Trac environment followed by a colon. The other Trac environment must be registered on the InterTrac page. 191 192 A distinctive advantage of InterTrac links over InterWiki links is that the shorthand form of Trac links (e.g. `{}`, `r`, `#`) can also be used. For example if T was set as an alias for Trac, links to Trac tickets can be written #T234, links to Trac changesets can be written [trac 1508]. 193 See InterTrac for the complete details. 194 195 === Server-relative links === 196 197 It is often useful to be able to link to objects in your project that 198 have no built-in Trac linking mechanism, such as static resources, `newticket`, 199 a shared `/register` page on the server, etc. 200 201 To link to resources inside the project, use either an absolute path from the project root, 202 or a relative link from the URL of the current page (''Changed in 0.11''): 203 204 {{{ 205 [/newticket Create a new ticket] or [[//newticket|Create a new ticket]] 206 [/ home] or [[/|home]] 207 }}} 208 209 Display: [/newticket Create a new ticket] or [[//newticket|Create a new ticket]] 210 [/ home] or [[/|home]] 211 212 To link to another location on the server (possibly outside the project but on the same host), use the `//` prefix (''Changed in 0.11''): 213 214 {{{ 215 [//register Register Here] or [[//register|Register Here]] 216 }}} 217 218 Display: [//register Register Here] or [[//register|Register Here]] 219 220 === Quoting space in TracLinks === 221 222 Immediately after a TracLinks prefix, targets containing space characters should 223 be enclosed in a pair of quotes or double quotes. 224 Examples: 225 * !wiki:"The whitespace convention" 226 * !attachment:'the file.txt' or 227 * !attachment:"the file.txt" 228 * !attachment:"the file.txt:ticket:123" 229 230 Note that by using [trac:WikiCreole] style links, it's quite natural to write links containing spaces: 231 * ![[The whitespace convention]] 232 * ![[attachment:the file.txt]] 233 234 === Escaping Links === 235 236 To prevent parsing of a !TracLink, you can escape it by preceding it with a '!' (exclamation mark). 237 {{{ 238 !NoLinkHere. 239 ![42] is not a link either. 240 }}} 241 242 Display: 243 !NoLinkHere. 244 ![42] is not a link either. 245 246 247 === Parameterized Trac links === 248 249 Many Trac resources have more than one way to be rendered, depending on some extra parameters. For example, a Wiki page can accept a `version` or a `format` parameter, a report can make use of dynamic variables, etc. 250 251 Trac links can support an arbitrary set of parameters, written in the same way as they would be for the corresponding URL. Some examples: 252 - `wiki:WikiStart?format=txt` 253 - `ticket:1?version=1` 254 - `[/newticket?component=module1 create a ticket for module1]` 255 - `[/newticket?summary=Add+short+description+here create a ticket with URL with spaces]` 256 257 258 == TracLinks Reference == 259 The following sections describe the individual link types in detail, as well as notes on advanced usage of links. 260 261 === attachment: links === 262 263 The link syntax for attachments is as follows: 264 * !attachment:the_file.txt creates a link to the attachment the_file.txt of the current object 265 * !attachment:the_file.txt:wiki:MyPage creates a link to the attachment the_file.txt of the !MyPage wiki page 266 * !attachment:the_file.txt:ticket:753 creates a link to the attachment the_file.txt of the ticket 753 267 268 Note that the older way, putting the filename at the end, is still supported: !attachment:ticket:753:the_file.txt. 269 270 If you'd like to create a direct link to the content of the attached file instead of a link to the attachment page, simply use `raw-attachment:` instead of `attachment:`. 271 272 This can be useful for pointing directly to an HTML document, for example. Note that for this use case, you'd have to allow the web browser to render the content by setting `[attachment] render_unsafe_content = yes` (see TracIni#attachment-section). Caveat: only do that in environments for which you're 100% confident you can trust the people who are able to attach files, as otherwise this would open up your site to [wikipedia:Cross-site_scripting cross-site scripting] attacks. 273 274 See also [#export:links]. 275 276 === comment: links === 277 278 When you're inside a given ticket, you can simply write e.g. !comment:3 to link to the third change comment. 279 It is possible to link to a comment of a specific ticket from anywhere using one of the following syntax: 280 - `comment:3:ticket:123` 281 - `ticket:123#comment:3` (note that you can't write `#123#!comment:3`!) 282 It is also possible to link to the ticket's description using one of the following syntax: 283 - `comment:description` (within the ticket) 284 - `comment:description:ticket:123` 285 - `ticket:123#comment:description` 286 287 === htdocs: links === 288 289 Use `htdocs:path/to/file` to reference files in the `htdocs` directory of the Trac environment, the [TracEnvironment#DirectoryStructure web resource directory]. 290 291 === query: links === 292 293 See TracQuery#UsingTracLinks and [#ticket:links]. 294 295 === search: links === 296 297 See TracSearch#SearchLinks 298 299 === ticket: links === 300 ''alias:'' `bug:` 301 302 Besides the obvious `ticket:id` form, it is also possible to specify a list of tickets or even a range of tickets instead of the `id`. This generates a link to a custom query view containing this fixed set of tickets. 303 304 Example: 305 - `ticket:5000-6000` 306 - `ticket:1,150` 307 308 === timeline: links === 309 310 Links to the timeline can be created by specifying a date in the ISO:8601 format. The date can be optionally followed by a time specification. The time is interpreted as being UTC time, but if you don't want to compute the UTC time, you can specify a local time followed by your timezone offset relative to UTC. 311 312 Examples: 313 - `timeline:2008-01-29` 314 - `timeline:2008-01-29T15:48` 315 - `timeline:2008-01-29T15:48Z` 316 - `timeline:2008-01-29T16:48+01` 317 - `timeline:2008-01-29T16:48+0100` 318 - `timeline:2008-01-29T16:48+01:00` 319 320 === wiki: links === 321 322 See WikiPageNames and [#QuotingspaceinTracLinks quoting space in TracLinks] above. It is possible to create a link to a specific page revision using the syntax WikiStart@1. 323 324 === Version Control related links === 325 326 It should be noted that multiple repository support works by creating a kind of virtual namespace for versioned files in which the toplevel folders correspond to the repository names. Therefore, in presence of multiple repositories, a ''/path'' specification in the syntax of links detailed below should start with the name of the repository. If omitted, the default repository is used. In case a toplevel folder of the default repository has the same name as a repository, the latter "wins". One can always access such folder by fully qualifying it (the default repository can be an alias of a named repository, or conversely, it is always possible to create an alias for the default repository, ask your Trac administrator). 327 328 For example, `source:/trunk/COPYING` targets the path `/trunk/COPYING` in the default repository, whereas `source:/projectA/trunk/COPYING` targets the path `/trunk/COPYING` in the repository named `projectA`. This can be the same file if `'projectA'` is an alias to the default repository or if `''` (the default repository) is an alias to `'projectA'`. 329 330 ==== source: links ==== 331 ''aliases:'' `browser:`, `repos:` 332 333 The default behavior for a `source:/some/path link` is to open the browser in that directory directory 334 if the path points to a directory or to show the latest content of the file. 335 336 It's also possible to link directly to a specific revision of a file like this: 337 - `source:/some/file@123` - link to the file's revision 123 338 - `source:/some/file@head` - link explicitly to the latest revision of the file 339 340 If the revision is specified, one can even link to a specific line number: 341 - `source:/some/file@123#L10` 342 - `source:/tag/0.10@head#L10` 343 344 Finally, one can also highlight an arbitrary set of lines: 345 - `source:/some/file@123:10-20,100,103#L99` - highlight lines 10 to 20, and lines 100 and 103, and target line 99 346 - or without version number (the `@` is still needed): `source:/some/file@:10-20,100,103#L99`. Version can be omitted when the path is pointing to a source file that will no longer change (like `source:/tags/...`), otherwise it's better to specify which lines of //which version// of the file you're talking about 347 348 Note that in presence of multiple repositories, the name of the repository is simply integrated in the path you specify for `source:` (e.g. `source:reponame/trunk/README`). ''(since 0.12)'' 349 350 ==== export: links ==== 351 352 To force the download of a file in the repository, as opposed to displaying it in the browser, use the `export` link. Several forms are available: 353 * `export:/some/file` - get the HEAD revision of the specified file 354 * `export:123:/some/file` - get revision 123 of the specified file 355 * `export:/some/file@123` - get revision 123 of the specified file 356 357 This can be very useful for displaying XML or HTML documentation with correct stylesheets and images, in case that has been checked in into the repository. Note that for this use case, you'd have to allow the web browser to render the content by setting `[browser] render_unsafe_content = yes` (see TracIni#browser-section), otherwise Trac will force the files to be downloaded as attachments for security concerns. 358 359 If the path is to a directory in the repository instead of a specific file, the source browser will be used to display the directory (identical to the result of `source:/some/dir`). 360 361 ==== log: links ==== 362 363 The `log:` links are used to display revision ranges. In its simplest form, it can link to the latest revisions of the specified path, but it can also support displaying an arbitrary set of revisions. 364 - `log:/` - the latest revisions starting at the root of the repository 365 - `log:/trunk/tools` - the latest revisions in `trunk/tools` 366 - `log:/trunk/tools@10000` - the revisions in `trunk/tools` starting from revision 10000 367 - `log:@20788,20791:20795` - list revision 20788 and the revisions from 20791 to 20795 368 - `log:/trunk/tools@20788,20791:20795` - list revision 20788 and the revisions from 20791 to 20795 which affect the given path 369 370 There are short forms for revision ranges as well: 371 - `[20788,20791:20795]` 372 - `[20788,20791:20795/trunk/tools]` 373 - `r20791:20795` (but not `r20788,20791:20795` nor `r20791:20795/trunk`) 374 375 Finally, note that in all of the above, a revision range can be written either as `x:y` or `x-y`. 376 377 In the presence of multiple repositories, the name of the repository should be specified as the first part of the path, e.g. `log:repos/branches` or `[20-40/repos]`. 378 379 ---- 380 See also: WikiFormatting, TracWiki, WikiPageNames, InterTrac, InterWiki 381 -
wiki/pages/TracLogging
r40534 r40542 1 = Trac Logging 2 [[TracGuideToc]] 3 4 Trac supports logging of system messages using the standard [http://docs.python.org/library/logging.html logging module] that comes with Python. 5 6 Logging is configured in the `[logging]` section in [wiki:TracIni#logging-section trac.ini]. 7 8 == Supported Logging Methods 9 10 The log method is set using the `log_type` option in [wiki:TracIni#logging-section trac.ini], which takes any of the following values: 11 12 '''none'':: Suppress all log messages. 13 '''file''':: Log messages to a file, specified with the `log_file` option in [wiki:TracIni#logging-section trac.ini]. Relative paths in `log_file` are resolved relative to the `log` directory of the environment. 14 '''stderr''':: Output all log entries to console ([wiki:TracStandalone tracd] only). 15 '''syslog''':: (UNIX) Send all log messages to the local syslogd via named pipe `/dev/log`. By default, syslog will write them to the file /var/log/messages. 16 '''eventlog''':: (Windows) Use the system's NT Event Log for Trac logging. 17 18 == Log Levels 19 20 The verbosity level of logged messages can be set using the `log_level` option in [wiki:TracIni#logging-section trac.ini]. The log level defines the minimum level of urgency required for a message to be logged, and those levels are: 21 22 '''CRITICAL''':: Log only the most critical (typically fatal) errors. 23 '''ERROR''':: Log failures, bugs and errors. 24 '''WARN''':: Log warnings, non-interrupting events. 25 '''INFO''':: Diagnostic information, log information about all processing. 26 '''DEBUG''':: Trace messages, profiling, etc. 27 28 Additionally, you can enable logging of SQL statements at debug level. This is turned off by default, as it's very verbose. Set `[trac] debug_sql = yes` in TracIni to activate. 29 30 == Log Format 31 32 The output format for log entries can be specified through the `log_format` option in [wiki:TracIni#logging-section trac.ini]. The format is a string which can contain any of the [http://docs.python.org/library/logging.html#logrecord-attributes Python logging Formatter variables]. Additonally, the following Trac-specific variables can be used: 33 '''$(basename)s''':: The last path component of the current environment. 34 '''$(path)s''':: The absolute path for the current environment. 35 '''$(project)s''':: The originating project's name. 36 37 Note that variables are identified using a dollar sign (`$(...)s`) instead of percent sign (`%(...)s`). 38 39 The default format is: 40 {{{#!ini 41 log_format = Trac[$(module)s] $(levelname)s: $(message)s 42 }}} 43 44 In a multi-project environment where all logs are sent to the same place (e.g. `syslog`), it makes sense to add the project name. In this example we use `basename` since that can generally be used to identify a project: 45 {{{#!ini 46 log_format = Trac[$(basename)s:$(module)s] $(levelname)s: $(message)s 47 }}} 48 49 ---- 50 See also: TracIni, TracGuide, TracEnvironment -
wiki/pages/TracModPython
r40534 r40542 1 [[TracGuideToc]] 2 3 = Trac and mod_python 4 5 Mod_python is an [https://httpd.apache.org/ Apache] module that embeds the Python interpreter within the server, so that web-based applications in Python will run many times faster than traditional CGI and will have the ability to retain database connections. 6 Trac supports [http://www.modpython.org/ mod_python], which speeds up Trac's response times considerably, especially compared to [TracCgi CGI], and permits use of many Apache features not possible with [wiki:TracStandalone tracd]/mod_proxy. 7 8 These instructions are for Apache 2. If you are using Apache 1.3, you may have some luck with [trac:wiki:TracModPython2.7 TracModPython2.7], but that is a deprecated setup. 9 10 [[PageOutline(2-3,Overview,inline)]] 11 12 == Simple configuration: single project == #Simpleconfiguration 13 14 If you just installed mod_python, you may have to add a line to load the module in the Apache configuration: 15 {{{#!apache 16 LoadModule python_module modules/mod_python.so 17 }}} 18 19 '''Note''': The exact path to the module depends on how the HTTPD installation is laid out. 20 21 On Debian using apt-get: 22 {{{#!sh 23 apt-get install libapache2-mod-python libapache2-mod-python-doc 24 }}} 25 26 Still on Debian, after you have installed mod_python, you must enable the modules in apache2, equivalent to the above Load Module directive: 27 {{{#!sh 28 a2enmod python 29 }}} 30 31 On Fedora use, using yum: 32 {{{#!sh 33 yum install mod_python 34 }}} 35 36 You can test your mod_python installation by adding the following to your httpd.conf. You should remove this when you are done testing for security reasons. Note: mod_python.testhandler is only available in mod_python 3.2+. 37 {{{#!apache 38 <Location /mpinfo> 39 SetHandler mod_python 40 PythonInterpreter main_interpreter 41 PythonHandler mod_python.testhandler 42 Order allow,deny 43 Allow from all 44 </Location> 45 }}} 46 47 A simple setup of Trac on mod_python looks like this: 48 {{{#!apache 49 <Location /projects/myproject> 50 SetHandler mod_python 51 PythonInterpreter main_interpreter 52 PythonHandler trac.web.modpython_frontend 53 PythonOption TracEnv /var/trac/myproject 54 PythonOption TracUriRoot /projects/myproject 55 Order allow,deny 56 Allow from all 57 </Location> 58 }}} 59 60 The option '''`TracUriRoot`''' may or may not be necessary in your setup. Try your configuration without it; if the URLs produced by Trac look wrong, if Trac does not seem to recognize URLs correctly, or you get an odd "No handler matched request to..." error, add the '''`TracUriRoot`''' option. You will notice that the `Location` and '''`TracUriRoot`''' have the same path. 61 62 The options available are: 63 {{{#!apache 64 # For a single project 65 PythonOption TracEnv /var/trac/myproject 66 67 # For multiple projects 68 PythonOption TracEnvParentDir /var/trac/myprojects 69 70 # For the index of multiple projects 71 PythonOption TracEnvIndexTemplate /srv/www/htdocs/trac/project_list_template.html 72 73 # A space delimitted list, with a "," between key and value pairs. 74 PythonOption TracTemplateVars key1,val1 key2,val2 75 76 # Useful to get the date in the wanted order 77 PythonOption TracLocale en_GB.UTF8 78 79 # See description above 80 PythonOption TracUriRoot /projects/myproject 81 }}} 82 83 === Python Egg Cache 84 85 Compressed Python eggs like Genshi are normally extracted into a directory named `.python-eggs` in the users home directory. Since Apache's home usually is not writeable, an alternate egg cache directory can be specified like this: 86 {{{#!apache 87 PythonOption PYTHON_EGG_CACHE /var/trac/myprojects/egg-cache 88 }}} 89 90 Or you can uncompress the Genshi egg to resolve problems extracting from it. 91 92 === Configuring Authentication 93 94 See corresponding section in the [wiki:TracModWSGI#ConfiguringAuthentication] page. 95 96 == Advanced Configuration 97 98 === Setting the Python Egg Cache 99 100 If the Egg Cache isn't writeable by your Web server, you'll either have to change the permissions, or point Python to a location where Apache can write. This can manifest itself as a `500 internal server error` and/or a complaint in the syslog. 101 102 {{{#!apache 103 <Location /projects/myproject> 104 ... 105 PythonOption PYTHON_EGG_CACHE /tmp 106 ... 107 </Location> 108 }}} 109 110 === Setting the !PythonPath 111 112 If the Trac installation isn't installed in your Python path, you will have to tell Apache where to find the Trac mod_python handler using the `PythonPath` directive: 113 {{{#!apache 114 <Location /projects/myproject> 115 ... 116 PythonPath "sys.path + ['/path/to/trac']" 117 ... 118 </Location> 119 }}} 120 121 Be careful about using the !PythonPath directive, and ''not'' `SetEnv PYTHONPATH`, as the latter won't work. 122 123 === Setting up multiple projects 124 125 The Trac mod_python handler supports a configuration option similar to Subversion's `SvnParentPath`, called `TracEnvParentDir`: 126 {{{#!apache 127 <Location /projects> 128 SetHandler mod_python 129 PythonInterpreter main_interpreter 130 PythonHandler trac.web.modpython_frontend 131 PythonOption TracEnvParentDir /var/trac 132 PythonOption TracUriRoot /projects 133 </Location> 134 }}} 135 136 When you request the `/projects` URL, you will get a listing of all subdirectories of the directory you set as `TracEnvParentDir` that look like Trac environment directories. Selecting any project in the list will bring you to the corresponding Trac environment. 137 138 If you don't want to have the subdirectory listing as your projects home page you can use a 139 {{{#!apache 140 <LocationMatch "/.+/"> 141 }}} 142 143 This will instruct Apache to use mod_python for all locations different from root while having the possibility of placing a custom home page for root in your !DocumentRoot folder. 144 145 You can also use the same authentication realm for all of the projects using a `<LocationMatch>` directive: 146 {{{#!apache 147 <LocationMatch "/projects/[^/]+/login"> 148 AuthType Basic 149 AuthName "Trac" 150 AuthUserFile /var/trac/.htpasswd 151 Require valid-user 152 </LocationMatch> 153 }}} 154 155 === Virtual Host Configuration 156 157 Below is the sample configuration required to set up your Trac as a virtual server, ie when you access it at the URLs like 158 `http://trac.mycompany.com`: 159 160 {{{#!apache 161 <VirtualHost *> 162 DocumentRoot /var/www/myproject 163 ServerName trac.mycompany.com 164 <Location /> 165 SetHandler mod_python 166 PythonInterpreter main_interpreter 167 PythonHandler trac.web.modpython_frontend 168 PythonOption TracEnv /var/trac/myproject 169 PythonOption TracUriRoot / 170 </Location> 171 <Location /login> 172 AuthType Basic 173 AuthName "MyCompany Trac Server" 174 AuthUserFile /var/trac/myproject/.htpasswd 175 Require valid-user 176 </Location> 177 </VirtualHost> 178 }}} 179 180 This does not seem to work in all cases. What you can do if it does not: 181 * Try using `<LocationMatch>` instead of `<Location>`. 182 * `<Location />` may, in your server setup, refer to the complete host instead of simple the root of the server. This means that everything (including the login directory referenced below) will be sent to Python and authentication does not work, ie you get the infamous Authentication information missing error. If this is the case, try using a sub-directory for Trac instead of the root, ie /web/ and /web/login instead of / and /login. 183 * Depending on apache's `NameVirtualHost` configuration, you may need to use `<VirtualHost *:80>` instead of `<VirtualHost *>`. 184 185 For a virtual host that supports multiple projects replace `TracEnv /var/trac/myproject` with `TracEnvParentDir /var/trac`. 186 187 '''Note''': !DocumentRoot should not point to your Trac project env. As Asmodai wrote on #trac: "suppose there's a webserver bug that allows disclosure of !DocumentRoot they could then leech the entire Trac environment". 188 189 == Troubleshooting 190 191 If you get server error pages, you can either check the Apache error log, or enable the `PythonDebug` option: 192 {{{#!apache 193 <Location /projects/myproject> 194 ... 195 PythonDebug on 196 </Location> 197 }}} 198 199 For multiple projects, try restarting the server as well. 200 201 === Login Not Working 202 203 If you've used `<Location />` directive, it will override any other directives, as well as `<Location /login>`. 204 The workaround is to use negation expression as follows (for multi project setups): 205 {{{#!apache 206 #this one for other pages 207 <Location ~ "/*(?!login)"> 208 SetHandler mod_python 209 PythonHandler trac.web.modpython_frontend 210 PythonOption TracEnvParentDir /projects 211 PythonOption TracUriRoot / 212 </Location> 213 214 #this one for login page 215 <Location ~ "/[^/]+/login"> 216 SetHandler mod_python 217 PythonHandler trac.web.modpython_frontend 218 PythonOption TracEnvParentDir /projects 219 PythonOption TracUriRoot / 220 221 #remove these if you don't want to force SSL 222 RewriteEngine On 223 RewriteCond %{HTTPS} off 224 RewriteRule (.*) https://%{HTTP_HOST}%{REQUEST_URI} 225 226 AuthType Basic 227 AuthName "Trac" 228 AuthUserFile /projects/.htpasswd 229 Require valid-user 230 </Location> 231 }}} 232 233 === Expat-related segmentation faults === #expat 234 235 This problem will most certainly hit you on Unix when using Python 2.4. 236 In Python 2.4, some version of [http://expat.sourceforge.net/ Expat] (an XML parser library written in C) is used and if Apache is using another version, this results in segmentation faults. 237 As Trac 0.11 is using Genshi, which will indirectly use Expat, that problem can now hit you even if everything was working fine before with Trac 0.10. This problem has not been reported for Python 2.5+, so best to upgrade. 238 239 === Form submission problems 240 241 If you're experiencing problems submitting some of the forms in Trac (a common problem is that you get redirected to the start page after submission), check whether your {{{DocumentRoot}}} contains a folder or file with the same path that you mapped the mod_python handler to. For some reason, mod_python gets confused when it is mapped to a location that also matches a static resource. 242 243 === Problem with virtual host configuration 244 245 If the <Location /> directive is used, setting the `DocumentRoot` may result in a ''403 (Forbidden)'' error. Either remove the `DocumentRoot` directive, or make sure that accessing the directory it points is allowed, in a corresponding `<Directory>` block. 246 247 Using <Location /> together with `SetHandler` resulted in having everything handled by mod_python, which leads to not being able to download any CSS or images/icons. Use <Location /trac> `SetHandler None` </Location> to circumvent the problem, though this may not be the most elegant solution. 248 249 === Problem with zipped egg 250 251 It's possible that your version of mod_python will not import modules from zipped eggs. If you encounter an `ImportError: No module named trac` in your Apache logs but you think everything is where it should be, this might be your problem. Look in your site-packages directory; if the Trac module appears as a ''file'' rather than a ''directory'', then this might be your problem. To rectify this, try installing Trac using the `--always-unzip` option: 252 253 {{{#!sh 254 easy_install --always-unzip Trac-0.12b1.zip 255 }}} 256 257 === Using .htaccess 258 259 Although it may seem trivial to rewrite the above configuration as a directory in your document root with a `.htaccess` file, this does not work. Apache will append a "/" to any Trac URLs, which interferes with its correct operation. 260 261 It may be possible to work around this with mod_rewrite, but I failed to get this working. In all, it is more hassle than it is worth. 262 263 This also works out-of-box, with following trivial config: 264 {{{#!apache 265 SetHandler mod_python 266 PythonInterpreter main_interpreter 267 PythonHandler trac.web.modpython_frontend 268 PythonOption TracEnv /system/path/to/this/directory 269 PythonOption TracUriRoot /path/on/apache 270 271 AuthType Basic 272 AuthName "ProjectName" 273 AuthUserFile /path/to/.htpasswd 274 Require valid-user 275 }}} 276 277 The `TracUriRoot` is obviously the path you need to enter to the browser to get to Trac, eg `domain.tld/projects/trac`. 278 279 === Additional .htaccess help 280 281 If you are using the .htaccess method you may have additional problems if your Trac directory is inheriting .htaccess directives from another. This may also help to add to your .htaccess file: 282 283 {{{#!apache 284 <IfModule mod_rewrite.c> 285 RewriteEngine Off 286 </IfModule> 287 }}} 288 289 === Platform specific issues 290 ==== Win32 Issues 291 292 If you run Trac with mod_python < 3.2 on Windows, uploading attachments will '''not''' work. This problem is resolved in mod_python 3.1.4 or later, so please upgrade mod_python to fix this. 293 294 ==== OS X issues 295 296 When using mod_python on OS X you will not be able to restart Apache using `apachectl restart`. This is apparently fixed in mod_python 3.2, so please upgrade mod_python to fix this. 297 298 ==== SELinux issues 299 300 If Trac reports something like: `Cannot get shared lock on db.lock`, then the security context on the repository may need to be set: 301 302 {{{#!sh 303 chcon -R -h -t httpd_sys_content_t PATH_TO_REPOSITORY 304 }}} 305 306 See also [http://subversion.apache.org/faq.html#reposperms How do I set repository permissions correctly?] 307 308 ==== FreeBSD issues 309 310 The FreeBSD ports have both the new and old versions of mod_python and SQLite, but earlier versions of pysqlite and mod_python won't integrate: 311 * pysqlite requires threaded support in Python 312 * mod_python requires a threadless install. 313 314 Apache2 does not automatically support threads on FreeBSD. You could force thread support when running `./configure` for Apache, using `--enable-threads`, but this isn´t recommended. 315 The best option [http://modpython.org/pipermail/mod_python/2006-September/021983.html seems to be] adding to /usr/local/apache2/bin/ennvars the line: 316 317 {{{#!sh 318 export LD_PRELOAD=/usr/lib/libc_r.so 319 }}} 320 321 ==== Fedora 7 Issues 322 323 Make sure you install the 'python-sqlite2' package as it seems to be required for TracModPython, but not for tracd. 324 325 === Subversion issues 326 327 If you get the following Trac error `Unsupported version control system "svn"` only under mod_python, though it works well on the command-line and even with TracStandalone, chances are that you forgot to add the path to the Python bindings with the [TracModPython#ConfiguringPythonPath PythonPath] directive. A better way is to add a link to the bindings in the Python `site-packages` directory, or create a `.pth` file in that directory. 328 329 If this is not the case, it's possible that you are using Subversion libraries that are binary incompatible with the Apache ones and an incompatibility of the `apr` libraries is usually the cause. In that case, you also won't be able to use the svn modules for Apache (`mod_dav_svn`). 330 331 You also need a recent version of `mod_python` in order to avoid a runtime error ({{{argument number 2: a 'apr_pool_t *' is expected}}}) due to the default usage of multiple sub-interpreters. Version 3.2.8 ''should'' work, though it's probably better to use the workaround described in [trac:#3371 #3371], in order to force the use of the main interpreter: 332 {{{#!apache 333 PythonInterpreter main_interpreter 334 }}} 335 336 This is also the recommended workaround for other issues seen when using the Python bindings for Subversion within mod_python ([trac:#2611 #2611], [trac:#3455 #3455]). See in particular Graham Dumpleton's comment in [trac:comment:9:ticket:3455 #3455] explaining the issue. 337 338 === Page layout issues 339 340 If the formatting of the Trac pages look weird, chances are that the style sheets governing the page layout are not handled properly by the web server. Try adding the following lines to your Apache configuration: 341 {{{#!apache 342 Alias /myproject/css "/usr/share/trac/htdocs/css" 343 <Location /myproject/css> 344 SetHandler None 345 </Location> 346 }}} 347 348 '''Note''': For the above configuration to have any effect it must be put after the configuration of your project root location, ie {{{<Location /myproject />}}}. 349 350 Also, setting `PythonOptimize On` seems to mess up the page headers and footers, in addition to hiding the documentation for macros and plugins (see #Trac8956). Considering how little effect the option has, leave it `Off`. 351 352 === HTTPS issues 353 354 If you want to run Trac fully under https you might find that it tries to redirect to plain http. In this case just add the following line to your Apache configuration: 355 {{{#!apache 356 <VirtualHost *> 357 DocumentRoot /var/www/myproject 358 ServerName trac.mycompany.com 359 SetEnv HTTPS 1 360 .... 361 </VirtualHost> 362 }}} 363 364 === Segmentation fault with php5-mhash or other php5 modules 365 366 You may encounter segfaults (reported on Debian etch) if php5-mhash module is installed. Try to remove it to see if this solves the problem. See [http://bugs.debian.org/cgi-bin/bugreport.cgi?bug=411487 Debian bug report]. 367 368 Some people also have troubles when using PHP5 compiled with its own third party libraries instead of system libraries. Check [http://www.djangoproject.com/documentation/modpython/#if-you-get-a-segmentation-fault Django segmentation fault]. 369 370 ---- 371 See also: TracGuide, TracInstall, [wiki:TracModWSGI ModWSGI], [wiki:TracFastCgi FastCGI], [trac:TracNginxRecipe] -
wiki/pages/TracModWSGI
r40534 r40542 1 = Trac and mod_wsgi 2 3 [https://github.com/GrahamDumpleton/mod_wsgi mod_wsgi] is an Apache module for running WSGI-compatible Python applications directly on top of the Apache webserver. The mod_wsgi adapter is written completely in C and provides very good performance. 4 5 [[PageOutline(2-3,Overview,inline)]] 6 7 == The `trac.wsgi` script 8 9 Trac can be run on top of mod_wsgi with the help of an application script, which is just a Python file saved with a `.wsgi` extension. 10 11 A robust and generic version of this file can be created using the `trac-admin <env> deploy <dir>` command which automatically substitutes the required paths, see TracInstall#cgi-bin. The script should be sufficient for most installations and users not wanting more information can proceed to [#Mappingrequeststothescript configuring Apache]. 12 13 If you are using Trac with multiple projects, you can specify their common parent directory using the `TRAC_ENV_PARENT_DIR` in trac.wsgi: 14 {{{#!python 15 def application(environ, start_request): 16 # Add this to config when you have multiple projects 17 environ.setdefault('trac.env_parent_dir', '/usr/share/trac/projects') 18 .. 19 }}} 20 21 === A very basic script 22 In its simplest form, the script could be: 23 24 {{{#!python 25 import os 26 27 os.environ['TRAC_ENV'] = '/usr/local/trac/mysite' 28 os.environ['PYTHON_EGG_CACHE'] = '/usr/local/trac/mysite/eggs' 29 30 import trac.web.main 31 application = trac.web.main.dispatch_request 32 }}} 33 34 The `TRAC_ENV` variable should naturally be the directory for your Trac environment, and the `PYTHON_EGG_CACHE` should be a directory where Python can temporarily extract Python eggs. If you have several Trac environments in a directory, you can also use `TRAC_ENV_PARENT_DIR` instead of `TRAC_ENV`. 35 36 On Windows: 37 - If run under the user's session, the Python Egg cache can be found in `%AppData%\Roaming`, for example: 38 {{{#!python 39 os.environ['PYTHON_EGG_CACHE'] = r'C:\Users\Administrator\AppData\Roaming\Python-Eggs' 40 }}} 41 - If run under a Window service, you should create a directory for Python Egg cache: 42 {{{#!python 43 os.environ['PYTHON_EGG_CACHE'] = r'C:\Trac-Python-Eggs' 44 }}} 45 46 === A more elaborate script 47 48 If you are using multiple `.wsgi` files (for example one per Trac environment) you must ''not'' use `os.environ['TRAC_ENV']` to set the path to the Trac environment. Using this method may lead to Trac delivering the content of another Trac environment, as the variable may be filled with the path of a previously viewed Trac environment. 49 50 To solve this problem, use the following `.wsgi` file instead: 51 {{{#!python 52 import os 53 54 os.environ['PYTHON_EGG_CACHE'] = '/usr/local/trac/mysite/eggs' 55 56 import trac.web.main 57 def application(environ, start_response): 58 environ['trac.env_path'] = '/usr/local/trac/mysite' 59 return trac.web.main.dispatch_request(environ, start_response) 60 }}} 61 62 For clarity, you should give this file a `.wsgi` extension. You should probably put the file in its own directory, since you will expose it to Apache. 63 64 If you have installed Trac and Python eggs in a path different from the standard one, you should add that path by adding the following code at the top of the wsgi script: 65 66 {{{#!python 67 import site 68 site.addsitedir('/usr/local/trac/lib/python2.4/site-packages') 69 }}} 70 71 Change it according to the path you installed the Trac libs at. 72 73 == Mapping requests to the script 74 75 After preparing your .wsgi script, add the following to your Apache configuration file, typically `httpd.conf`: 76 77 {{{#!apache 78 WSGIScriptAlias /trac /usr/local/trac/mysite/apache/mysite.wsgi 79 80 <Directory /usr/local/trac/mysite/apache> 81 WSGIApplicationGroup %{GLOBAL} 82 Order deny,allow 83 Allow from all 84 </Directory> 85 }}} 86 87 Here, the script is in a subdirectory of the Trac environment. 88 89 If you followed the directions [TracInstall#cgi-bin Generating the Trac cgi-bin directory], your Apache configuration file should look like following: 90 91 {{{#!apache 92 WSGIScriptAlias /trac /usr/share/trac/cgi-bin/trac.wsgi 93 94 <Directory /usr/share/trac/cgi-bin> 95 WSGIApplicationGroup %{GLOBAL} 96 Order deny,allow 97 Allow from all 98 </Directory> 99 }}} 100 101 In order to let Apache run the script, access to the directory in which the script resides is opened up to all of Apache. Additionally, the `WSGIApplicationGroup` directive ensures that Trac is always run in the first Python interpreter created by mod_wsgi. This is necessary because the Subversion Python bindings, which are used by Trac, don't always work in other sub-interpreters and may cause requests to hang or cause Apache to crash. After adding this configuration, restart Apache, and then it should work. 102 103 To test the setup of Apache, mod_wsgi and Python itself (ie. without involving Trac and dependencies), this simple wsgi application can be used to make sure that requests gets served (use as only content in your `.wsgi` script): 104 105 {{{#!python 106 def application(environ, start_response): 107 start_response('200 OK',[('Content-type','text/html')]) 108 return ['<html><body>Hello World!</body></html>'] 109 }}} 110 111 For more information about using the mod_wsgi specific directives, see the [http://code.google.com/p/modwsgi/wiki/ mod_wsgi's wiki] and more specifically the [http://code.google.com/p/modwsgi/wiki/IntegrationWithTrac IntegrationWithTrac] page. 112 113 == Configuring Authentication 114 115 The following sections describe different methods for setting up authentication. See also [http://httpd.apache.org/docs/2.2/howto/auth.html Authentication, Authorization and Access Control] in the Apache guide. 116 117 === Using Basic Authentication 118 119 The simplest way to enable authentication with Apache is to create a password file. Use the `htpasswd` program as follows: 120 {{{#!sh 121 $ htpasswd -c /somewhere/trac.htpasswd admin 122 New password: <type password> 123 Re-type new password: <type password again> 124 Adding password for user admin 125 }}} 126 127 After the first user, you don't need the "-c" option anymore: 128 {{{#!sh 129 $ htpasswd /somewhere/trac.htpasswd john 130 New password: <type password> 131 Re-type new password: <type password again> 132 Adding password for user john 133 }}} 134 135 ''See the man page for `htpasswd` for full documentation.'' 136 137 After you've created the users, you can set their permissions using TracPermissions. 138 139 Now, you need to enable authentication against the password file in the Apache configuration: 140 {{{#!apache 141 <Location "/trac/login"> 142 AuthType Basic 143 AuthName "Trac" 144 AuthUserFile /somewhere/trac.htpasswd 145 Require valid-user 146 </Location> 147 }}} 148 149 If you are hosting multiple projects, you can use the same password file for all of them: 150 {{{#!apache 151 <LocationMatch "/trac/[^/]+/login"> 152 AuthType Basic 153 AuthName "Trac" 154 AuthUserFile /somewhere/trac.htpasswd 155 Require valid-user 156 </LocationMatch> 157 }}} 158 Note that neither a file nor a directory named 'login' needs to exist.[[BR]] 159 See also the [http://httpd.apache.org/docs/2.2/mod/mod_auth_basic.html mod_auth_basic] documentation. 160 161 === Using Digest Authentication 162 163 For better security, it is recommended that you either enable SSL or at least use the “digest” authentication scheme instead of “Basic”. 164 165 You have to create your `.htpasswd` file with the `htdigest` command instead of `htpasswd`, as follows: 166 {{{#!sh 167 $ htdigest -c /somewhere/trac.htpasswd trac admin 168 }}} 169 170 The "trac" parameter above is the "realm", and will have to be reused in the Apache configuration in the !AuthName directive: 171 172 {{{#!apache 173 <Location "/trac/login"> 174 AuthType Digest 175 AuthName "trac" 176 AuthDigestDomain /trac 177 AuthUserFile /somewhere/trac.htpasswd 178 Require valid-user 179 </Location> 180 }}} 181 182 For multiple environments, you can use the same `LocationMatch` as described with the previous method. 183 184 '''Note: `Location` cannot be used inside .htaccess files, but must instead live within the main httpd.conf file. If you are on a shared server, you therefore will not be able to provide this level of granularity. ''' 185 186 Don't forget to activate the mod_auth_digest. For example, on a Debian 4.0r1 (etch) system: 187 {{{#!apache 188 LoadModule auth_digest_module /usr/lib/apache2/modules/mod_auth_digest.so 189 }}} 190 191 See also the [http://httpd.apache.org/docs/2.2/mod/mod_auth_digest.html mod_auth_digest] documentation. 192 193 === Using LDAP Authentication 194 195 Configuration for [http://httpd.apache.org/docs/2.2/mod/mod_ldap.html mod_ldap] authentication in Apache is more involved (httpd 2.2.x and OpenLDAP: slapd 2.3.19). 196 197 1. You need to load the following modules in Apache httpd.conf: 198 {{{#!apache 199 LoadModule ldap_module modules/mod_ldap.so 200 LoadModule authnz_ldap_module modules/mod_authnz_ldap.so 201 }}} 202 1. Your httpd.conf also needs to look something like: 203 {{{#!apache 204 <Location /trac/> 205 # (if you're using it, mod_python specific settings go here) 206 Order deny,allow 207 Deny from all 208 Allow from 192.168.11.0/24 209 AuthType Basic 210 AuthName "Trac" 211 AuthBasicProvider "ldap" 212 AuthLDAPURL "ldap://127.0.0.1/dc=example,dc=co,dc=ke?uid?sub?(objectClass=inetOrgPerson)" 213 authzldapauthoritative Off 214 Require valid-user 215 </Location> 216 }}} 217 1. You can use the LDAP interface as a way to authenticate to a Microsoft Active Directory. Use the following as your LDAP URL: 218 {{{#!apache 219 AuthLDAPURL "ldap://directory.example.com:3268/DC=example,DC=com?sAMAccountName?sub?(objectClass=user)" 220 }}} 221 You will also need to provide an account for Apache to use when checking credentials. As this password will be listed in plaintext in the config, you need to use an account specifically for this task: 222 {{{#!apache 223 AuthLDAPBindDN ldap-auth-user@example.com 224 AuthLDAPBindPassword "password" 225 }}} 226 The whole section looks like: 227 {{{#!apache 228 <Location /trac/> 229 # (if you're using it, mod_python specific settings go here) 230 Order deny,allow 231 Deny from all 232 Allow from 192.168.11.0/24 233 AuthType Basic 234 AuthName "Trac" 235 AuthBasicProvider "ldap" 236 AuthLDAPURL "ldap://adserver.company.com:3268/DC=company,DC=com?sAMAccountName?sub?(objectClass=user)" 237 AuthLDAPBindDN ldap-auth-user@company.com 238 AuthLDAPBindPassword "the_password" 239 authzldapauthoritative Off 240 # require valid-user 241 Require ldap-group CN=Trac Users,CN=Users,DC=company,DC=com 242 </Location> 243 }}} 244 245 Note 1: This is the case where the LDAP search will get around the multiple OUs, conecting to the Global Catalog Server portion of AD. Note the port is 3268, not the normal LDAP 389. The GCS is basically a "flattened" tree which allows searching for a user without knowing to which OU they belong. 246 247 Note 2: You can also require the user be a member of a certain LDAP group, instead of just having a valid login: 248 {{{#!apache 249 Require ldap-group CN=Trac Users,CN=Users,DC=example,DC=com 250 }}} 251 252 See also: 253 - [http://httpd.apache.org/docs/2.2/mod/mod_authnz_ldap.html mod_authnz_ldap], documentation for mod_authnz_ldap. 254 - [http://httpd.apache.org/docs/2.2/mod/mod_ldap.html mod_ldap], documentation for mod_ldap, which provides connection pooling and a shared cache. 255 - [http://trac-hacks.org/wiki/LdapPlugin TracHacks:LdapPlugin] for storing TracPermissions in LDAP. 256 257 === Using SSPI Authentication 258 259 If you are using Apache on Windows, you can use mod_auth_sspi to provide single-sign-on. Download the module from the !SourceForge [http://sourceforge.net/projects/mod-auth-sspi/ mod-auth-sspi project] and then add the following to your !VirtualHost: 260 {{{#!apache 261 <Location /trac/login> 262 AuthType SSPI 263 AuthName "Trac Login" 264 SSPIAuth On 265 SSPIAuthoritative On 266 SSPIDomain MyLocalDomain 267 SSPIOfferBasic On 268 SSPIOmitDomain Off 269 SSPIBasicPreferred On 270 Require valid-user 271 </Location> 272 }}} 273 274 Using the above, usernames in Trac will be of the form `DOMAIN\username`, so you may have to re-add permissions and such. If you do not want the domain to be part of the username, set `SSPIOmitDomain On` instead. 275 276 Some common problems with SSPI authentication: [trac:#1055], [trac:#1168] and [trac:#3338]. 277 278 See also [trac:TracOnWindows/Advanced]. 279 280 === Using Apache authentication with the Account Manager plugin's Login form === 281 282 To begin with, see the basic instructions for using the Account Manager plugin's [http://trac-hacks.org/wiki/AccountManagerPlugin/Modules#LoginModule Login module] and its [http://trac-hacks.org/wiki/AccountManagerPlugin/AuthStores#HttpAuthStore HttpAuthStore authentication module]. 283 284 '''Note:''' If is difficult to get !HttpAuthStore to work with WSGI when using any Account Manager version prior to acct_mgr-0.4. Upgrading is recommended. 285 286 Here is an example (from the !HttpAuthStore link) using acct_mgr-0.4 for hosting a single project: 287 {{{#!ini 288 [components] 289 ; be sure to enable the component 290 acct_mgr.http.HttpAuthStore = enabled 291 292 [account-manager] 293 ; configure the plugin to use a page that is secured with http authentication 294 authentication_url = /authFile 295 password_store = HttpAuthStore 296 }}} 297 This will generally be matched with an Apache config like: 298 {{{#!apache 299 <Location /authFile> 300 …HTTP authentication configuration… 301 Require valid-user 302 </Location> 303 }}} 304 Note that '''authFile''' need not exist (unless you are using Account Manager older than 0.4). See the !HttpAuthStore link above for examples where multiple Trac projects are hosted on a server. 305 306 === Example: Apache/mod_wsgi with Basic Authentication, Trac being at the root of a virtual host 307 308 Per the mod_wsgi documentation linked to above, here is an example Apache configuration that: 309 - serves the Trac instance from a virtualhost subdomain 310 - uses Apache basic authentication for Trac authentication. 311 312 If you want your Trac to be served from e.g. !http://trac.my-proj.my-site.org, then from the folder e.g. `/home/trac-for-my-proj`, if you used the command `trac-admin the-env initenv` to create a folder `the-env`, and you used `trac-admin the-env deploy the-deploy` to create a folder `the-deploy`, then first: 313 314 Create the htpasswd file: 315 {{{#!sh 316 cd /home/trac-for-my-proj/the-env 317 htpasswd -c htpasswd firstuser 318 ### and add more users to it as needed: 319 htpasswd htpasswd seconduser 320 }}} 321 Keep the file above your document root for security reasons. 322 323 Create this file e.g. (ubuntu) `/etc/apache2/sites-enabled/trac.my-proj.my-site.org.conf` with the following content: 324 325 {{{#!apache 326 <Directory /home/trac-for-my-proj/the-deploy/cgi-bin/trac.wsgi> 327 WSGIApplicationGroup %{GLOBAL} 328 Order deny,allow 329 Allow from all 330 </Directory> 331 332 <VirtualHost *:80> 333 ServerName trac.my-proj.my-site.org 334 DocumentRoot /home/trac-for-my-proj/the-env/htdocs/ 335 WSGIScriptAlias / /home/trac-for-my-proj/the-deploy/cgi-bin/trac.wsgi 336 <Location '/'> 337 AuthType Basic 338 AuthName "Trac" 339 AuthUserFile /home/trac-for-my-proj/the-env/htpasswd 340 Require valid-user 341 </Location> 342 </VirtualHost> 343 344 }}} 345 346 Note: for subdomains to work you would probably also need to alter `/etc/hosts` and add A-Records to your host's DNS. 347 348 == Troubleshooting 349 350 === Use a recent version 351 352 Please use either version 1.6, 2.4 or later of `mod_wsgi`. Versions prior to 2.4 in the 2.X branch have problems with some Apache configurations that use WSGI file wrapper extension. This extension is used in Trac to serve up attachments and static media files such as style sheets. If you are affected by this problem, attachments will appear to be empty and formatting of HTML pages will appear not to work due to style sheet files not loading properly. Another frequent symptom is that binary attachment downloads are truncated. See mod_wsgi tickets [http://code.google.com/p/modwsgi/issues/detail?id=100 #100] and [http://code.google.com/p/modwsgi/issues/detail?id=132 #132]. 353 354 ''Note: using mod_wsgi 2.5 and Python 2.6.1 gave an Internal Server Error on my system (Apache 2.2.11 and Trac 0.11.2.1). Upgrading to Python 2.6.2 (as suggested [http://www.mail-archive.com/modwsgi@googlegroups.com/msg01917.html here]) solved this for me[[BR]]-- Graham Shanks'' 355 356 If you plan to use `mod_wsgi` in embedded mode on Windows or with the MPM worker on Linux, then you will need version 3.4 or greater. See [trac:#10675] for details. 357 358 === Getting Trac to work nicely with SSPI and 'Require Group' 359 360 If you have set Trac up on Apache, Win32 and configured SSPI, but added a 'Require group' option to your apache configuration, then the SSPIOmitDomain option is probably not working. If it is not working, your usernames in Trac probably look like 'DOMAIN\user' rather than 'user'. 361 362 This WSGI script 'fixes' that: 363 {{{#!python 364 import os 365 import trac.web.main 366 367 os.environ['TRAC_ENV'] = '/usr/local/trac/mysite' 368 os.environ['PYTHON_EGG_CACHE'] = '/usr/local/trac/mysite/eggs' 369 370 def application(environ, start_response): 371 if "\\" in environ['REMOTE_USER']: 372 environ['REMOTE_USER'] = environ['REMOTE_USER'].split("\\", 1)[1] 373 return trac.web.main.dispatch_request(environ, start_response) 374 }}} 375 376 === Trac with PostgreSQL 377 378 When using the mod_wsgi adapter with multiple Trac instances and PostgreSQL (or MySQL?) as the database, the server ''may'' create a lot of open database connections and thus PostgreSQL processes. 379 380 A somewhat brutal workaround is to disable connection pooling in Trac. This is done by setting `poolable = False` in `trac.db.postgres_backend` on the `PostgreSQLConnection` class. 381 382 But it is not necessary to edit the source of Trac. The following lines in `trac.wsgi` will also work: 383 384 {{{#!python 385 import trac.db.postgres_backend 386 trac.db.postgres_backend.PostgreSQLConnection.poolable = False 387 }}} 388 389 or 390 391 {{{#!python 392 import trac.db.mysql_backend 393 trac.db.mysql_backend.MySQLConnection.poolable = False 394 }}} 395 396 Now Trac drops the connection after serving a page and the connection count on the database will be kept low. 397 398 //This is not a recommended approach though. See also the notes at the bottom of the [http://code.google.com/p/modwsgi/wiki/IntegrationWithTrac mod_wsgi's IntegrationWithTrac] wiki page.// 399 400 === Other resources 401 402 For more troubleshooting tips, see also the [TracModPython#Troubleshooting mod_python troubleshooting] section, as most Apache-related issues are quite similar, plus discussion of potential [http://code.google.com/p/modwsgi/wiki/ApplicationIssues application issues] when using mod_wsgi. The wsgi page also has a [http://code.google.com/p/modwsgi/wiki/IntegrationWithTrac Integration With Trac] document. 403 404 ---- 405 See also: TracGuide, TracInstall, [wiki:TracFastCgi FastCGI], [wiki:TracModPython ModPython], [trac:TracNginxRecipe TracNginxRecipe] -
wiki/pages/TracNavigation
r40534 r40542 1 = Trac Navigation 2 3 The main and meta navigation entries can be customized in some basic ways. The `[mainnav]` and `[metanav]` configuration sections can be used to customize the navigation item text and link, change the ordering of the navigation items, or even disable them. 4 5 === `[mainnav]` #mainnav-bar 6 `[mainnav]` corresponds to the '''main navigation bar''', the one containing entries such as ''Wiki'', ''Timeline'', ''Roadmap'', ''Browse Source'' and so on. This navigation bar is meant to access the default page of the main modules enabled in Trac that are accessible for the current user. 7 8 9 ** [=#Example Example] ** 10 11 In the following example we rename the link to WikiStart //Home//, and make the //View Tickets// entry link to a specific report. 12 {{{#!ini 13 [mainnav] 14 wiki.label = Home 15 tickets.href = /report/24 16 }}} 17 18 === `[metanav]` #metanav-bar 19 `[metanav]` corresponds to the '''meta navigation bar''', by default positioned above the main navigation bar and below the ''Search'' box. It contains the ''Login'', ''Logout'', ''!Help/Guide'' etc. entries. This navigation bar is meant to access some global information about the Trac project and the current user. 20 21 There is one special entry in the `[metanav]` section: `logout.redirect` is the page the user sees after hitting the logout button. The ''!Help/Guide'' link is also hidden in the following example. 22 [[comment(see also #Trac3808)]] 23 24 ** Example ** 25 26 {{{#!ini 27 [metanav] 28 help = disabled 29 logout.redirect = wiki/Logout 30 }}} 31 32 33 === URL Formats 34 Possible URL formats for `.href` or `.redirect`: 35 || '''config''' || '''redirect to''' || 36 || `wiki/Logout` || `/projects/env/wiki/Logout` || 37 || `http://hostname/` || `http://hostname/` || 38 || `/projects` || `/projects` || 39 40 41 === Ordering #nav-order 42 The `order` attribute specifies the order in which the navigation items are displayed. This can be particularly useful for plugins that add navigation items. 43 44 Non-negative floating point values may be used for the `order` attribute. The navigation items will be arranged from left to right in increasing order. Navigation items without an `order` attribute are sorted alphabetically by name. 45 46 The default values are: 47 {{{#!ini 48 [mainnav] 49 browser.order = 4 50 newticket.order = 6 51 roadmap.order = 3 52 search.order = 7 53 tickets.order = 5 54 timeline.order = 2 55 wiki.order = 1 56 57 [metanav] 58 about.order = 5 59 help.order = 4 60 login.order = 1 61 logout.order = 2 62 prefs.order = 3 63 }}} 64 65 === Context Navigation #ctxtnav-bar 66 67 Note that it is still not possible to customize the '''contextual navigation bar''', ie the one usually placed below the main navigation bar. 68 69 ---- 70 See also: TracInterfaceCustomization, and the [http://trac-hacks.org/wiki/NavAddPlugin TracHacks:NavAddPlugin] or [http://trac-hacks.org/wiki/MenusPlugin TracHacks:MenusPlugin] (still needed for adding entries) -
wiki/pages/TracNotification
r40534 r40542 1 = Email Notification of Ticket Changes 2 [[TracGuideToc]] 3 4 Trac supports notification of ticket changes via email. 5 6 Email notification is useful to keep users up-to-date on tickets/issues of interest, and also provides a convenient way to post all ticket changes to a dedicated mailing list. For example, this is how the [http://lists.edgewall.com/archive/trac-tickets/ Trac-tickets] mailing list is set up. 7 8 Disabled by default, notification can be activated and configured in [wiki:TracIni trac.ini]. 9 10 == Receiving Notification Mails 11 When reporting a new ticket or adding a comment, enter a valid email address or your Trac username in the ''reporter'', ''assigned to/owner'' or ''cc'' field. Trac will automatically send you an email when changes are made to the ticket, depending on how notification is configured. 12 13 === How to use your username to receive notification mails 14 15 To receive notification mails, you can either enter a full email address or your Trac username. To get notified with a simple username or login, you need to specify a valid email address in the ''Preferences'' page. 16 17 Alternatively, a default domain name ('''`smtp_default_domain`''') can be set in the TracIni file, see [#ConfigurationOptions Configuration Options] below. In this case, the default domain will be appended to the username, which can be useful for an "Intranet" kind of installation. 18 19 When using apache and mod_kerb for authentication against Kerberos / Active Directory, usernames take the form ('''`username@EXAMPLE.LOCAL`'''). To avoid this being interpreted as an email address, add the Kerberos domain to ('''`ignore_domains`'''). 20 21 === Ticket attachment notifications 22 23 Since 1.0.3 Trac will send notifications when a ticket attachment is added or deleted. Usually attachment notifications will be enabled in an environment by default. To disable the attachment notifications for an environment the `TicketAttachmentNotifier` component must be disabled: 24 {{{#!ini 25 [components] 26 trac.ticket.notification.TicketAttachmentNotifier = disabled 27 }}} 28 29 == Configuring SMTP Notification 30 31 '''Important:''' For TracNotification to work correctly, the `[trac] base_url` option must be set in [wiki:TracIni trac.ini]. 32 33 === Configuration Options 34 These are the available options for the `[notification]` section in trac.ini: 35 36 [[TracIni(notification)]] 37 38 === Example Configuration (SMTP) 39 {{{#!ini 40 [notification] 41 smtp_enabled = true 42 smtp_server = mail.example.com 43 smtp_from = notifier@example.com 44 smtp_replyto = myproj@projects.example.com 45 smtp_always_cc = ticketmaster@example.com, theboss+myproj@example.com 46 }}} 47 48 === Example Configuration (`sendmail`) 49 {{{#!ini 50 [notification] 51 smtp_enabled = true 52 email_sender = SendmailEmailSender 53 sendmail_path = /usr/sbin/sendmail 54 smtp_from = notifier@example.com 55 smtp_replyto = myproj@projects.example.com 56 smtp_always_cc = ticketmaster@example.com, theboss+myproj@example.com 57 }}} 58 59 === Subscriber Configuration 60 The default subscriptions are configured in the `[notification-subscriber]` section in trac.ini: 61 62 [[TracIni(notification-subscriber)]] 63 64 Each user can override these defaults in his ''Notifications'' preferences. 65 66 For example to unsubscribe from notifications for one's own changes and comments, the rule "Never notify: I update a ticket" should be added above other subscription rules. 67 68 === Customizing the e-mail subject 69 The e-mail subject can be customized with the `ticket_subject_template` option, which contains a [http://genshi.edgewall.org/wiki/Documentation/text-templates.html Genshi text template] snippet. The default value is: 70 {{{#!genshi 71 $prefix #$ticket.id: $summary 72 }}} 73 The following variables are available in the template: 74 75 * `env`: The project environment (see [trac:source:/trunk/trac/env.py env.py]). 76 * `prefix`: The prefix defined in `smtp_subject_prefix`. 77 * `summary`: The ticket summary, with the old value if the summary was edited. 78 * `ticket`: The ticket model object (see [trac:source:/trunk/trac/ticket/model.py model.py]). Individual ticket fields can be addressed by appending the field name separated by a dot, eg `$ticket.milestone`. 79 80 === Customizing the e-mail content 81 82 The notification e-mail content is generated based on `ticket_notify_email.txt` in `trac/ticket/templates`. You can add your own version of this template by adding a `ticket_notify_email.txt` to the templates directory of your environment. The default looks like this: 83 84 {{{#!genshi 85 $ticket_body_hdr 86 $ticket_props 87 {% choose ticket.new %}\ 88 {% when True %}\ 89 $ticket.description 90 {% end %}\ 91 {% otherwise %}\ 92 {% if changes_body %}\ 93 ${_('Changes (by %(author)s):', author=change.author)} 94 95 $changes_body 96 {% end %}\ 97 {% if changes_descr %}\ 98 {% if not changes_body and not change.comment and change.author %}\ 99 ${_('Description changed by %(author)s:', author=change.author)} 100 {% end %}\ 101 $changes_descr 102 -- 103 {% end %}\ 104 {% if change.comment %}\ 105 106 ${changes_body and _('Comment:') or _('Comment (by %(author)s):', author=change.author)} 107 108 $change.comment 109 {% end %}\ 110 {% end %}\ 111 {% end %}\ 112 113 -- 114 ${_('Ticket URL: <%(link)s>', link=ticket.link)} 115 $project.name <${project.url or abs_href()}> 116 $project.descr 117 }}} 118 119 == Sample Email 120 {{{ 121 #42: testing 122 ---------------------------+------------------------------------------------ 123 Id: 42 | Status: assigned 124 Component: report system | Modified: Fri Apr 9 00:04:31 2004 125 Severity: major | Milestone: 0.9 126 Priority: lowest | Version: 0.6 127 Owner: anonymous | Reporter: jonas@example.com 128 ---------------------------+------------------------------------------------ 129 Changes: 130 * component: changeset view => search system 131 * priority: low => highest 132 * owner: jonas => anonymous 133 * cc: daniel@example.com => 134 daniel@example.com, jonas@example.com 135 * status: new => assigned 136 137 Comment: 138 I'm interested too! 139 140 -- 141 Ticket URL: <http://example.com/trac/ticket/42> 142 My Project <http://myproj.example.com/> 143 }}} 144 145 == Customizing e-mail content for MS Outlook 146 147 MS Outlook normally presents plain text e-mails with a variable-width font, and as a result the ticket properties table will most certainly look like a mess in MS Outlook. This can be fixed with some customization of the [#Customizingthee-mailcontent e-mail template]. 148 149 Replace the following second row in the template: 150 {{{ 151 $ticket_props 152 }}} 153 154 with this (requires Python 2.6 or later): 155 {{{ 156 -------------------------------------------------------------------------- 157 {% with 158 pv = [(a[0].strip(), a[1].strip()) for a in [b.split(':') for b in 159 [c.strip() for c in 160 ticket_props.replace('|', '\n').splitlines()[1:-1]] if ':' in b]]; 161 sel = ['Reporter', 'Owner', 'Type', 'Status', 'Priority', 'Milestone', 162 'Component', 'Severity', 'Resolution', 'Keywords'] %}\ 163 ${'\n'.join('%s\t%s' % (format(p[0]+':', ' <12'), p[1]) for p in pv if p[0] in sel)} 164 {% end %}\ 165 -------------------------------------------------------------------------- 166 }}} 167 168 The table of ticket properties is replaced with a list of a selection of the properties. A tab character separates the name and value in such a way that most people should find this more pleasing than the default table when using MS Outlook. 169 {{{#!div style="margin: 1em 1.75em; border:1px dotted" 170 {{{#!html 171 #42: testing<br /> 172 --------------------------------------------------------------------------<br /> 173 <table cellpadding=0> 174 <tr><td>Reporter:</td><td>jonas@example.com</td></tr> 175 <tr><td>Owner:</td><td>anonymous</td></tr> 176 <tr><td>Type:</td><td>defect</td></tr> 177 <tr><td>Status:</td><td>assigned</td></tr> 178 <tr><td>Priority:</td><td>lowest</td></tr> 179 <tr><td>Milestone:</td><td>0.9</td></tr> 180 <tr><td>Component:</td><td>report system</td></tr> 181 <tr><td>Severity:</td><td>major</td></tr> 182 <tr><td>Resolution:</td><td> </td></tr> 183 <tr><td>Keywords:</td><td> </td></tr> 184 </table> 185 --------------------------------------------------------------------------<br /> 186 Changes:<br /> 187 <br /> 188 * component: changeset view => search system<br /> 189 * priority: low => highest<br /> 190 * owner: jonas => anonymous<br /> 191 * cc: daniel@example.com =><br /> 192 daniel@example.com, jonas@example.com<br /> 193 * status: new => assigned<br /> 194 <br /> 195 Comment:<br /> 196 I'm interested too!<br /> 197 <br /> 198 --<br /> 199 Ticket URL: <http://example.com/trac/ticket/42><br /> 200 My Project <http://myproj.example.com/><br /> 201 }}} 202 }}} 203 204 **Important**: Only those ticket fields that are listed in `sel` are part of the HTML mail. If you have defined custom ticket fields which are to be part of the mail, then they have to be added to `sel`. Example: 205 {{{ 206 sel = ['Reporter', ..., 'Keywords', 'Custom1', 'Custom2'] 207 }}} 208 209 However, the solution is still a workaround to an automatically HTML-formatted e-mail. 210 211 == Using GMail as the SMTP relay host 212 213 Use the following configuration snippet: 214 {{{#!ini 215 [notification] 216 smtp_enabled = true 217 use_tls = true 218 mime_encoding = base64 219 smtp_server = smtp.gmail.com 220 smtp_port = 587 221 smtp_user = user 222 smtp_password = password 223 }}} 224 225 where ''user'' and ''password'' match an existing GMail account, ie the ones you use to log in on [http://gmail.com]. 226 227 Alternatively, you can use `smtp_port = 25`.[[br]] 228 You should not use `smtp_port = 465`. Doing so may deadlock your ticket submission. Port 465 is reserved for the SMTPS protocol, which is not supported by Trac. See [trac:comment:2:ticket:7107 #7107] for details. 229 230 == Troubleshooting 231 232 If you cannot get the notification working, first make sure the log is activated and have a look at the log to find if an error message has been logged. See TracLogging for help about the log feature. 233 234 Notification errors are not reported through the web interface, so the user who submits a change or a new ticket never gets notified about a notification failure. The Trac administrator needs to look at the log to find the error trace. 235 236 === ''Permission denied'' error 237 238 Typical error message: 239 {{{#!sh 240 ... 241 File ".../smtplib.py", line 303, in connect 242 raise socket.error, msg 243 error: (13, 'Permission denied') 244 }}} 245 246 This error usually comes from a security settings on the server: many Linux distributions do not allow the web server (Apache, ...) to post email messages to the local SMTP server. 247 248 Many users get confused when their manual attempts to contact the SMTP server succeed: 249 {{{#!sh 250 telnet localhost 25 251 }}} 252 This is because a regular user may connect to the SMTP server, but the web server cannot: 253 {{{#!sh 254 sudo -u www-data telnet localhost 25 255 }}} 256 257 In such a case, you need to configure your server so that the web server is authorized to post to the SMTP server. The actual settings depend on your Linux distribution and current security policy. You may find help in the Trac [trac:MailingList MailingList] archive. 258 259 Relevant ML threads: 260 * SELinux: http://article.gmane.org/gmane.comp.version-control.subversion.trac.general/7518 261 262 For SELinux in Fedora 10: 263 {{{#!sh 264 $ setsebool -P httpd_can_sendmail 1 265 }}} 266 267 === ''Suspected spam'' error 268 269 Some SMTP servers may reject the notification email sent by Trac. 270 271 The default Trac configuration uses Base64 encoding to send emails to the recipients. The whole body of the email is encoded, which sometimes trigger ''false positive'' spam detection on sensitive email servers. In such an event, change the default encoding to "quoted-printable" using the `mime_encoding` option. 272 273 Quoted printable encoding works better with languages that use one of the Latin charsets. For Asian charsets, stick with the Base64 encoding. 274 275 ---- 276 See also: TracTickets, TracIni, TracGuide, [trac:TracDev/NotificationApi] -
wiki/pages/TracPermissions
r40534 r40542 1 = Trac Permissions 2 [[TracGuideToc]] 3 4 Trac uses a simple, case sensitive, permission system to control what users can and can't access. 5 6 Permission privileges are managed using the [TracAdmin trac-admin] tool or the ''General / Permissions'' panel in the ''Admin'' tab of the web interface. 7 8 In addition to the default permission policy described in this page, it is possible to activate additional permission policies by enabling plugins and listing them in the `[trac] permission_policies` configuration entry in the TracIni. See TracFineGrainedPermissions for more details. 9 10 Non-authenticated users accessing the system are assigned the name "anonymous". Assign permissions to the "anonymous" user to set privileges for anonymous/guest users. The parts of Trac that a user does not have the privileges for will not be displayed in the navigation. 11 In addition to these privileges, users can be granted additional individual rights in effect when authenticated and logged into the system. All logged in users belong to the virtual group "authenticated", which inherits permissions from "anonymous". 12 13 == Graphical Admin Tab 14 15 To access this tab, a user must have one of the following permissions: `TRAC_ADMIN`, `PERMISSION_ADMIN`, `PERMISSION_GRANT`, `PERMISSION_REVOKE`. The permissions can be granted using the `trac-admin` command (more on `trac-admin` below): 16 {{{ 17 $ trac-admin /path/to/projenv permission add bob TRAC_ADMIN 18 }}} 19 20 Then, the user `bob` will be able to see the Admin tab, and can then access the permissions menu. This menu will allow you to perform all the following actions, but from the browser without requiring root access to the server (just the correct permissions for your user account). '''Use at least one lowercase character in user names, as all-uppercase names are reserved for permissions.''' 21 22 1. [[Image(htdocs:../common/guide/admin.png)]] 23 1. [[Image(htdocs:../common/guide/admin-permissions.png)]] 24 1. [[Image(htdocs:../common/guide/admin-permissions-TICKET_ADMIN.png)]] 25 26 An easy way to quickly secure a new Trac install is to run the above command on the anonymous user, install the [http://trac-hacks.org/wiki/AccountManagerPlugin AccountManagerPlugin], create a new admin account graphically and then remove the TRAC_ADMIN permission from the anonymous user. 27 28 From the graphical admin tab, users with `PERMISSION_GRANT` will only be allowed to grant permissions that they possess, and users with `PERMISSION_REVOKE` will only be allowed to revoke permissions that they possess. For example, a user cannot grant `MILESTONE_ADMIN` unless they have `PERMISSION_GRANT` and `MILESTONE_ADMIN`, and they cannot revoke `MILESTONE_ADMIN` unless they have `PERMISSION_REVOKE` and `MILESTONE_ADMIN`. `PERMISSION_ADMIN` just grants the user both `PERMISSION_GRANT` and `PERMISSION_REVOKE`, and users with `TRAC_ADMIN` can grant or revoke any permission. 29 30 == Available Privileges 31 32 To enable all privileges for a user, use the `TRAC_ADMIN` permission. Having `TRAC_ADMIN` is like being `root` on a *NIX system: it will allow you to perform any operation. 33 34 Otherwise, individual privileges can be assigned to users for the various different functional areas of Trac ('''note that the privilege names are case-sensitive'''): 35 36 === Repository Browser 37 38 || `BROWSER_VIEW` || View directory listings in the [wiki:TracBrowser repository browser] || 39 || `LOG_VIEW` || View revision logs of files and directories in the [wiki:TracBrowser repository browser] || 40 || `FILE_VIEW` || View files in the [wiki:TracBrowser repository browser] || 41 || `CHANGESET_VIEW` || View [wiki:TracChangeset repository check-ins] || 42 43 === Ticket System 44 45 || `TICKET_VIEW` || View existing [wiki:TracTickets tickets] and perform [wiki:TracQuery ticket queries] || 46 || `TICKET_CREATE` || Create new [wiki:TracTickets tickets] || 47 || `TICKET_APPEND` || Add comments or attachments to [wiki:TracTickets tickets] || 48 || `TICKET_CHGPROP` || Modify [wiki:TracTickets ticket] properties (priority, assignment, keywords, etc.) with the following exceptions: edit description field, add/remove other users from cc field when logged in, and set email to pref || 49 || `TICKET_MODIFY` || Includes both `TICKET_APPEND` and `TICKET_CHGPROP`, and in addition allows resolving [wiki:TracTickets tickets]. Tickets can be assigned to users through a [TracTickets#Assign-toasDrop-DownList drop-down list] when the list of possible owners has been restricted. || 50 || `TICKET_EDIT_CC` || Full modify cc field || 51 || `TICKET_EDIT_DESCRIPTION` || Modify description field || 52 || `TICKET_EDIT_COMMENT` || Modify another user's comments. Any user can modify their own comments by default. || 53 || `TICKET_BATCH_MODIFY` || [wiki:TracBatchModify Batch modify] tickets || 54 || `TICKET_ADMIN` || All `TICKET_*` permissions, deletion of ticket attachments and modification of the reporter field, which grants ability to create a ticket on behalf of another user (it will appear that another user created the ticket). It also allows managing ticket properties through the web administration module. || 55 56 Attention: the "view tickets" button appears with the `REPORT_VIEW` permission. 57 58 === Roadmap 59 60 || `MILESTONE_VIEW` || View milestones and assign tickets to milestones. || 61 || `MILESTONE_CREATE` || Create a new milestone || 62 || `MILESTONE_MODIFY` || Modify existing milestones || 63 || `MILESTONE_DELETE` || Delete milestones || 64 || `MILESTONE_ADMIN` || All `MILESTONE_*` permissions || 65 || `ROADMAP_VIEW` || View the [wiki:TracRoadmap roadmap] page, is not (yet) the same as MILESTONE_VIEW, see [trac:#4292 #4292] || 66 || `ROADMAP_ADMIN` || to be removed with [trac:#3022 #3022], replaced by MILESTONE_ADMIN || 67 68 === Reports 69 70 || `REPORT_VIEW` || View [wiki:TracReports reports], i.e. the "view tickets" link. || 71 || `REPORT_SQL_VIEW` || View the underlying SQL query of a [wiki:TracReports report] || 72 || `REPORT_CREATE` || Create new [wiki:TracReports reports] || 73 || `REPORT_MODIFY` || Modify existing [wiki:TracReports reports] || 74 || `REPORT_DELETE` || Delete [wiki:TracReports reports] || 75 || `REPORT_ADMIN` || All `REPORT_*` permissions || 76 77 === Wiki System 78 79 || `WIKI_VIEW` || View existing [wiki:TracWiki wiki] pages || 80 || `WIKI_CREATE` || Create new [wiki:TracWiki wiki] pages || 81 || `WIKI_MODIFY` || Change [wiki:TracWiki wiki] pages || 82 || `WIKI_RENAME` || Rename [wiki:TracWiki wiki] pages || 83 || `WIKI_DELETE` || Delete [wiki:TracWiki wiki] pages and attachments || 84 || `WIKI_ADMIN` || All `WIKI_*` permissions, plus the management of ''readonly'' pages. || 85 86 === Permissions 87 88 || `PERMISSION_GRANT` || add/grant a permission || 89 || `PERMISSION_REVOKE` || remove/revoke a permission || 90 || `PERMISSION_ADMIN` || All `PERMISSION_*` permissions || 91 92 === Others 93 94 || `TIMELINE_VIEW` || View the [wiki:TracTimeline timeline] page || 95 || `SEARCH_VIEW` || View and execute [wiki:TracSearch search] queries || 96 || `CONFIG_VIEW` || Enables additional pages on ''About Trac'' that show the current configuration or the list of installed plugins || 97 || `EMAIL_VIEW` || Shows email addresses even if [wiki:TracIni#trac-section trac show_email_addresses] configuration option is false || 98 99 == Creating New Privileges 100 101 To create custom permissions, for example to be used in a custom workflow, enable the optional [trac:ExtraPermissionsProvider tracopt.perm.config_perm_provider.ExtraPermissionsProvider] component in the "Plugins" admin panel, and add the desired permissions to the `[extra-permissions]` section in your [wiki:TracIni#extra-permissions-section trac.ini]. For more information, please refer to the documentation on the [wiki:TracIni#extra-permissions-section TracIni] page after enabling the component. 102 103 == Granting Privileges 104 105 You grant privileges to users using [wiki:TracAdmin trac-admin]. The current set of privileges can be listed with the following command: 106 {{{ 107 $ trac-admin /path/to/projenv permission list 108 }}} 109 110 This command will allow the user ''bob'' to delete reports: 111 {{{ 112 $ trac-admin /path/to/projenv permission add bob REPORT_DELETE 113 }}} 114 115 The `permission add` command also accepts multiple privilege names: 116 {{{ 117 $ trac-admin /path/to/projenv permission add bob REPORT_DELETE WIKI_CREATE 118 }}} 119 120 Or add all privileges: 121 {{{ 122 $ trac-admin /path/to/projenv permission add bob TRAC_ADMIN 123 }}} 124 125 == Permission Groups 126 127 There are two built-in groups, "authenticated" and "anonymous". 128 Any user who has not logged in is automatically in the "anonymous" group. 129 Any user who has logged in is also in the "authenticated" group. 130 The "authenticated" group inherits permissions from the "anonymous" group. 131 For example, if the "anonymous" group has permission WIKI_MODIFY, 132 it is not necessary to add the WIKI_MODIFY permission to the "authenticated" group as well. 133 134 Custom groups may be defined that inherit permissions from the two built-in groups. 135 136 Permissions can be grouped together to form roles such as ''developer'', ''admin'', etc. 137 {{{ 138 $ trac-admin /path/to/projenv permission add developer WIKI_ADMIN 139 $ trac-admin /path/to/projenv permission add developer REPORT_ADMIN 140 $ trac-admin /path/to/projenv permission add developer TICKET_MODIFY 141 $ trac-admin /path/to/projenv permission add bob developer 142 $ trac-admin /path/to/projenv permission add john developer 143 }}} 144 145 Group membership can be checked by doing a {{{permission list}}} with no further arguments; the resulting output will include group memberships. '''Use at least one lowercase character in group names, as all-uppercase names are reserved for permissions'''. 146 147 == Adding a New Group and Permissions 148 Permission groups can be created by assigning a user to a group you wish to create, then assign permissions to that group. 149 150 The following will add ''bob'' to the new group called ''beta_testers'' and then will assign WIKI_ADMIN permissions to that group. (Thus, ''bob'' will inherit the WIKI_ADMIN permission) 151 {{{ 152 $ trac-admin /path/to/projenv permission add bob beta_testers 153 $ trac-admin /path/to/projenv permission add beta_testers WIKI_ADMIN 154 155 }}} 156 157 == Removing Permissions 158 159 Permissions can be removed using the 'remove' command. For example: 160 161 This command will prevent the user ''bob'' from deleting reports: 162 {{{ 163 $ trac-admin /path/to/projenv permission remove bob REPORT_DELETE 164 }}} 165 166 Just like `permission add`, this command accepts multiple privilege names. 167 168 You can also remove all privileges for a specific user: 169 {{{ 170 $ trac-admin /path/to/projenv permission remove bob '*' 171 }}} 172 173 Or one privilege for all users: 174 {{{ 175 $ trac-admin /path/to/projenv permission remove '*' REPORT_ADMIN 176 }}} 177 178 == Default Permissions 179 180 By default on a new Trac installation, the `anonymous` user will have ''view'' access to everything in Trac, but will not be able to create or modify anything. 181 On the other hand, the `authenticated` users will have the permissions to ''create and modify tickets and wiki pages''. 182 183 '''anonymous''' 184 {{{ 185 BROWSER_VIEW 186 CHANGESET_VIEW 187 FILE_VIEW 188 LOG_VIEW 189 MILESTONE_VIEW 190 REPORT_SQL_VIEW 191 REPORT_VIEW 192 ROADMAP_VIEW 193 SEARCH_VIEW 194 TICKET_VIEW 195 TIMELINE_VIEW 196 WIKI_VIEW 197 }}} 198 199 '''authenticated''' 200 {{{ 201 TICKET_CREATE 202 TICKET_MODIFY 203 WIKI_CREATE 204 WIKI_MODIFY 205 }}} 206 ---- 207 See also: TracAdmin, TracGuide and TracFineGrainedPermissions -
wiki/pages/TracPlugins
r40534 r40542 1 [[PageOutline(2-5,Contents,pullout)]] 2 3 = Trac plugins 4 5 Trac is extensible with [trac:PluginList plugins]. Plugin functionality is based on the [trac:TracDev/ComponentArchitecture component architecture], with special cases described in the [trac:TracDev/PluginDevelopment plugin development] page. 6 7 == Plugin discovery 8 9 From the user's point of view, a plugin is either a standalone .py file or an .egg package. Trac looks for plugins in Python's `site-packages` directory, the [TracIni#GlobalConfiguration global shared] `plugins` directory and the [TracEnvironment project environment] `plugins` directory. Components defined in globally-installed plugins must be explicitly enabled in the [[TracIni#components-section| [components] ]] section of the `trac.ini` file. Components defined in the `plugins` directory of the project environment are enabled, unless explicitly disabled in the `[components]` section of the `trac.ini` file. 10 11 == Requirements for Trac eggs 12 13 To use egg-based plugins in Trac, you need to have [http://peak.telecommunity.com/DevCenter/setuptools setuptools] (version >= 0.6) installed. 14 15 To install `setuptools`, download the bootstrap module [http://peak.telecommunity.com/dist/ez_setup.py ez_setup.py] and execute it as follows: 16 17 {{{#!sh 18 $ python ez_setup.py 19 }}} 20 21 If the `ez_setup.py` script fails to install the setuptools release, you can download it from [pypi:setuptools PyPI] and install it manually. 22 23 Plugins can also consist of a single `.py` file dropped directly into either the project's or the shared `plugins` directory. 24 25 == Installing a Trac plugin 26 27 === For a single project 28 29 Plugins are typically packaged as [http://peak.telecommunity.com/DevCenter/PythonEggs Python eggs]. That means they are .zip archives with the file extension `.egg`. 30 31 If you have downloaded a source distribution of a plugin, and want to build the `.egg` file: 32 33 * Unpack the source. It should provide `setup.py`. 34 * Run: 35 {{{#!sh 36 $ python setup.py bdist_egg 37 }}} 38 39 You should now have an *.egg file. Examine the output of running Python to find where this was created. 40 41 Once you have the plugin archive, copy it into the `plugins` directory of the [wiki:TracEnvironment project environment]. Also, make sure that the web server has sufficient permissions to read the plugin egg. Then restart the web server. If you are running as a [wiki:TracStandalone "tracd" standalone server], restart tracd, ie kill the process and run again. 42 43 To uninstall a plugin installed this way, remove the egg from the `plugins` directory and restart the web server. 44 45 '''Note''': the Python version that the egg is built with ''must'' match the Python version with which Trac is run. For example, if you are running Trac under Python 2.6, but have upgraded your standalone Python to 2.7, the eggs won't be recognized. 46 47 '''Note''': in a multi-project setup, a pool of Python interpreter instances will be dynamically allocated to projects based on need; since plugins occupy a place in Python's module system, the first version of any given plugin to be loaded will be used for all projects. In other words, you cannot use different versions of a single plugin in two projects of a multi-project setup. It may be safer to install plugins for all projects (see below), and then enable them selectively on a project-by-project basis. 48 49 === For all projects 50 51 ==== With an .egg file 52 53 Some plugins, such as [trac:SpamFilter SpamFilter], are downloadable as an `.egg` file that can be installed with `easy_install` or `pip`: 54 {{{#!sh 55 $ easy_install TracSpamFilter 56 $ pip install TracSpamFilter 57 }}} 58 59 If `easy_install` is not on your system, see the Requirements section above to install it. Windows users will need to add the `Scripts` directory of their Python installation (for example, `C:\Python27\Scripts`) to their `PATH` environment variable, or use the full path to `easy_install` (for example, `C:\Python27\Scripts\easy_install.py`). See [http://peak.telecommunity.com/DevCenter/EasyInstall#windows-notes easy_install Windows notes] for more information. 60 61 `pip` is included in Python 2.7.9. In earlier versions of Python it can be installed through the package manager of your OS (e.g. `apt-get install python-pip`) or using the [https://pip.pypa.io/en/latest/installing.html#install-pip get_pip.py]. 62 63 If Trac reports permission errors after installing a zipped egg, and you would rather not bother providing an egg cache directory writable by the web server, you can get around it by simply unzipping the egg. Just pass `--always-unzip` to `easy_install`: 64 {{{#!sh 65 $ easy_install --always-unzip TracSpamFilter-0.4.1_r10106-py2.6.egg 66 }}} 67 You should end up with a directory having the same name as the zipped egg, complete with `.egg` extension, and containing its uncompressed contents. 68 69 Trac also searches for plugins installed in the shared plugins directory, see TracIni#GlobalConfiguration. This is a convenient way to share the installation of plugins across several, but not all, environments. 70 71 ==== From source 72 73 `easy_install` makes installing from source a snap. Just give it the URL to either a Subversion repository or a tarball/zip of the source: 74 {{{#!sh 75 $ easy_install http://svn.edgewall.com/repos/trac/plugins/0.12/spam-filter-captcha 76 }}} 77 78 ==== Enabling the plugin 79 80 Unlike plugins installed per environment, you'll have to explicitly enable globally installed plugins via [wiki:TracIni trac.ini]. This also applies to plugins installed in the shared plugins directory, ie the path specified in the `[inherit] plugins_dir` configuration option. 81 82 This is done in the `[components]` section of the configuration file `trac.ini`. For example: 83 {{{#!ini 84 [components] 85 tracspamfilter.* = enabled 86 }}} 87 88 The name of the option is the Python package of the plugin. This should be specified in the documentation of the plugin, but can also be easily discovered by looking at the source: look for a top-level directory that contains a file named `__init__.py`. 89 90 After installing the plugin, you must restart your web server. 91 92 ==== Uninstalling 93 94 Neither `easy_install` nor `python setup.py` have an uninstall feature. However, it is usually trivial to remove a globally installed egg and reference: 95 96 1. Do `easy_install -m [plugin name]` to remove references from `$PYTHONLIB/site-packages/easy-install.pth` when the plugin installed by setuptools. 97 1. Delete executables from `/usr/bin`, `/usr/local/bin`, or `C:\\Python*\Scripts`. To find what executables are involved, refer to the `[console-script]` section of `setup.py`. 98 1. Delete the .egg file or folder from where it's installed, usually inside `$PYTHONLIB/site-packages/`. 99 1. Restart the web server. 100 101 If you are uncertain about the location of the egg file, you can try to locate it by replacing `myplugin` with whatever namespace the plugin uses (as used when enabling the plugin): 102 {{{#!pycon 103 >>> import myplugin 104 >>> print myplugin.__file__ 105 /opt/local/python24/lib/site-packages/myplugin-0.4.2-py2.4.egg/myplugin/__init__.pyc 106 }}} 107 108 == Setting up the plugin cache 109 110 Some plugins will need to be extracted by the Python egg's runtime (`pkg_resources`), so that their contents are actual files on the file system. The directory in which they are extracted defaults to `.python-eggs` in the home directory of the current user, which may or may not be a problem. You can, however, override the default location using the `PYTHON_EGG_CACHE` environment variable. 111 112 To do this from the Apache configuration, use the `SetEnv` directive: 113 {{{#!apache 114 SetEnv PYTHON_EGG_CACHE /path/to/dir 115 }}} 116 117 This works whether you're using the [wiki:TracCgi CGI] or the [wiki:TracModPython mod_python] front-end. Put this directive next to where you set the path to the [wiki:TracEnvironment Trac environment], ie in the same `<Location>` block. 118 119 For example for CGI: 120 {{{#!apache 121 <Location /trac> 122 SetEnv TRAC_ENV /path/to/projenv 123 SetEnv PYTHON_EGG_CACHE /path/to/dir 124 </Location> 125 }}} 126 127 Or for mod_python: 128 {{{#!apache 129 <Location /trac> 130 SetHandler mod_python 131 ... 132 SetEnv PYTHON_EGG_CACHE /path/to/dir 133 </Location> 134 }}} 135 136 '''Note''': !SetEnv requires the `mod_env` module, which needs to be activated for Apache. In this case the !SetEnv directive can also be used in the `mod_python` Location block. 137 138 For [wiki:TracFastCgi FastCGI], you'll need to `-initial-env` option, or whatever is provided by your web server for setting environment variables. 139 140 '''Note''': if you already use -initial-env to set the project directory for either a single project or parent, you will need to add an additional -initial-env directive to the !FastCgiConfig directive: 141 142 {{{#!apache 143 FastCgiConfig -initial-env TRAC_ENV=/var/lib/trac -initial-env PYTHON_EGG_CACHE=/var/lib/trac/plugin-cache 144 }}} 145 146 === About hook scripts 147 148 If you have set up some Subversion hook scripts that call the Trac engine, such as the post-commit hook script provided in the `/contrib` directory, make sure you define the `PYTHON_EGG_CACHE` environment variable within these scripts as well. 149 150 == Web-based plugin administration 151 152 The [trac:WebAdmin] interface offers limited support for plugin configuration through the web to users with `TRAC_ADMIN` permission: 153 154 * en/disabling installed plugins 155 * installing plugins by uploading them as eggs 156 157 If you wish to disable the second function for security reasons, add the following to your `trac.ini` file: 158 {{{#!ini 159 [components] 160 trac.admin.web_ui.PluginAdminPanel = disabled 161 }}} 162 This disables the whole panel, so the first function will no longer be available either. 163 164 == Troubleshooting 165 166 === Is setuptools properly installed? 167 168 Try this from the command line: 169 {{{#!sh 170 $ python -c "import pkg_resources" 171 }}} 172 173 If you get '''no output''', setuptools '''is''' installed. Otherwise, you'll need to install it before plugins will work in Trac. 174 175 === Did you get the correct version of the Python egg? 176 177 Python eggs have the Python version encoded in their filename. For example, `MyPlugin-1.0-py2.5.egg` is an egg for Python 2.5, and will '''not''' be loaded if you're running a different Python version (such as 2.4 or 2.6). 178 179 Also, verify that the egg file you downloaded is indeed a .zip archive. If you downloaded it from a Trac site, chances are you downloaded the HTML preview page instead. 180 181 === Is the plugin enabled? 182 183 If you install a plugin globally, ie ''not'' inside the `plugins` directory of the Trac project environment, you must explicitly enable it in [TracIni trac.ini]. Make sure that: 184 185 * you actually added the necessary line(s) to the `[components]` section. 186 * the package/module names are correct and do not contain typos. 187 * the value is "enabled", not "enable" or "Enable". 188 * the section name is "components", not "component". 189 190 === Check the permissions on the .egg file 191 192 Trac must be able to read the .egg file. 193 194 === Check the log files 195 196 Enable [wiki:TracLogging logging] and set the log level to `DEBUG`, then watch the log file for messages about loading plugins. 197 198 === Verify you have the proper permissions 199 200 Some plugins require you have special permissions in order to use them. [trac:WebAdmin WebAdmin], for example, requires the user to have `TRAC_ADMIN` permissions for it to show up on the navigation bar. 201 202 === Is the wrong version of the plugin loading? 203 204 If you put your plugins inside plugins directories, and certainly if you have more than one project, you need to make sure that the correct version of the plugin is loading. Here are some basic rules: 205 206 * Only one version of the plugin can be loaded for each running Trac server, ie each Python process. The Python namespaces and module list will be shared, and it cannot handle duplicates. Whether a plugin is `enabled` or `disabled` makes no difference. 207 * A globally installed plugin (typically `setup.py install`) will override any version in the global or project plugins directories. A plugin from the global plugins directory will be located ''before'' any project plugins directory. 208 * If your Trac server hosts more than one project (as with `TRAC_ENV_PARENT_DIR` setups), having two versions of a plugin in two different projects will give unpredicatable results. Only one of them will load, and the one loaded will be shared by both projects. Trac will load the first plugin found, usually from the project that receives the first request. 209 * Having more than one version listed inside Python site-packages is fine, ie installed with `setup.py install`, because setuptools will make sure you get the version installed most recently. However, don't store more than one version inside a global or project plugins directory: neither the version number nor the installed date will matter at all. There is no way to determine which one will be located first when Trac searches the directory for plugins. 210 211 === If all of the above failed 212 213 Okay, so the logs don't mention plugins, the egg is readable, the Python version is correct, ''and'' the egg has been installed globally (and is enabled in trac.ini)... and it ''still'' doesn't work or give any error messages or any other indication as to why. Hop on the [trac:IrcChannel IrcChannel] and ask away! 214 215 ---- 216 See also TracGuide, [trac:PluginList plugin list], [trac:TracDev/ComponentArchitecture component architecture]. -
wiki/pages/TracQuery
r40534 r40542 1 = Trac Ticket Queries 2 [[TracGuideToc]] 3 4 In addition to [wiki:TracReports reports], Trac provides support for ''custom ticket queries'', which can be used to display tickets that meet specified criteria. 5 6 To configure and execute a custom query, switch to the ''View Tickets'' module from the navigation bar, and select the ''Custom Query'' link. 7 8 == Filters 9 10 When you first go to the query page, the default filter will display tickets relevant to you: 11 * If logged in then all open tickets, it will display open tickets assigned to you. 12 * If not logged in but you have specified a name or email address in the preferences, then it will display all open tickets where your email (or name if email not defined) is in the CC list. 13 * If not logged in and no name/email is defined in the preferences, then all open issues are displayed. 14 15 Current filters can be removed by clicking the button to the left with the minus sign on the label. New filters are added from the pulldown lists at the bottom corners of the filters box; 'And' conditions on the left, 'Or' conditions on the right. Filters with either a text box or a pulldown menu of options can be added multiple times to perform an ''Or'' on the criteria. 16 17 You can use the fields just below the filters box to group the results based on a field, or display the full description for each ticket. 18 19 After you have edited your filters, click the ''Update'' button to refresh your results. 20 21 == Navigating Tickets 22 23 Clicking on one of the query results will take you to that ticket. You can navigate through the results by clicking the ''Next Ticket'' or ''Previous Ticket'' links just below the main menu bar, or click the ''Back to Query'' link to return to the query page. 24 25 You can safely edit any of the tickets and continue to navigate through the results using the ''!Next/Previous/Back to Query'' links after saving your results. When you return to the query ''any tickets which were edited'' will be displayed with italicized text. If one of the tickets was edited such that [[html(<span style="color: grey">it no longer matches the query criteria </span>)]], the text will also be greyed. Lastly, if '''a new ticket matching the query criteria has been created''', it will be shown in bold. 26 27 The query results can be refreshed and cleared of these status indicators by clicking the ''Update'' button again. 28 29 == Saving Queries 30 31 Trac allows you to save the query as a named query accessible from the reports module. To save a query ensure that you have ''Updated'' the view and then click the ''Save query'' button displayed beneath the results. 32 You can also save references to queries in Wiki content, as described below. 33 34 '''Note:''' one way to easily build queries like the ones below, you can build and test the queries in the Custom report module and when ready - click ''Save query''. This will build the query string for you. All you need to do is remove the extra line breaks. 35 36 '''Note:''' you must have the '''REPORT_CREATE''' permission in order to save queries to the list of default reports. The ''Save query'' button will only appear if you are logged in as a user that has been granted this permission. If your account does not have permission to create reports, you can still use the methods below to save a query. 37 38 === Using TracLinks 39 40 You may want to save some queries so that you can come back to them later. You can do this by making a link to the query from any Wiki page. 41 {{{ 42 [query:status=new|assigned|reopened&version=1.0 Active tickets against 1.0] 43 }}} 44 45 Which is displayed as: 46 [query:status=new|assigned|reopened&version=1.0 Active tickets against 1.0] 47 48 This uses a very simple query language to specify the criteria, see [wiki:TracQuery#QueryLanguage Query Language]. 49 50 Alternatively, you can copy the query string of a query and paste that into the Wiki link, including the leading `?` character: 51 {{{ 52 [query:?status=new&status=assigned&status=reopened&group=owner Assigned tickets by owner] 53 }}} 54 55 Which is displayed as: 56 [query:?status=new&status=assigned&status=reopened&group=owner Assigned tickets by owner] 57 58 === Customizing the ''table'' format 59 60 You can also customize the columns displayed in the table format (''format=table'') by using ''col=<field>''. You can specify multiple fields and what order they are displayed in by placing pipes (`|`) between the columns: 61 {{{ 62 [[TicketQuery(max=3,status=closed,order=id,desc=1,format=table,col=resolution|summary|owner|reporter)]] 63 }}} 64 65 This is displayed as: 66 [[TicketQuery(max=3,status=closed,order=id,desc=1,format=table,col=resolution|summary|owner|reporter)]] 67 68 ==== Full rows 69 70 In ''table'' format you can also have full rows by using ''rows=<field>'': 71 {{{ 72 [[TicketQuery(max=3,status=closed,order=id,desc=1,format=table,col=resolution|summary|owner|reporter,rows=description)]] 73 }}} 74 75 This is displayed as: 76 [[TicketQuery(max=3,status=closed,order=id,desc=1,format=table,col=resolution|summary|owner|reporter,rows=description)]] 77 78 == Query Language 79 80 `query:` TracLinks and the `[[TicketQuery]]` macro both use a mini “query language” for specifying query filters. Filters are separated by ampersands (`&`). Each filter consists of the ticket field name, an operator and one or more values. More than one value are separated by a pipe (`|`), meaning that the filter matches any of the values. To include a literal `&` or `|` in a value, escape the character with a backslash (`\`). 81 82 The available operators are: 83 || '''`=`''' || the field content exactly matches one of the values || 84 || '''`~=`''' || the field content contains one or more of the values || 85 || '''`^=`''' || the field content starts with one of the values || 86 || '''`$=`''' || the field content ends with one of the values || 87 88 All of these operators can also be negated: 89 || '''`!=`''' || the field content matches none of the values || 90 || '''`!~=`''' || the field content does not contain any of the values || 91 || '''`!^=`''' || the field content does not start with any of the values || 92 || '''`!$=`''' || the field content does not end with any of the values || 93 94 The date fields `created` and `modified` can be constrained by using the `=` operator and specifying a value containing two dates separated by two dots (`..`). Either end of the date range can be left empty, meaning that the corresponding end of the range is open. The date parser understands a few natural date specifications like "3 weeks ago", "last month" and "now", as well as Bugzilla-style date specifications like "1d", "2w", "3m" or "4y" for 1 day, 2 weeks, 3 months and 4 years, respectively. Spaces in date specifications can be omitted to avoid having to quote the query string. 95 || '''`created=2007-01-01..2008-01-01`''' || query tickets created in 2007 || 96 || '''`created=lastmonth..thismonth`''' || query tickets created during the previous month || 97 || '''`modified=1weekago..`''' || query tickets that have been modified in the last week || 98 || '''`modified=..30daysago`''' || query tickets that have been inactive for the last 30 days || 99 100 ---- 101 See also: TracTickets, TracReports, TracGuide, TicketQuery -
wiki/pages/TracReports
r40534 r40542 1 = Trac Reports = 2 [[TracGuideToc]] 3 4 The Trac reports module provides a simple, yet powerful reporting facility 5 to present information about tickets in the Trac database. 6 7 Rather than have its own report definition format, TracReports relies on standard SQL 8 `SELECT` statements for custom report definition. 9 10 '''Note:''' ''The report module is being phased out in its current form because it seriously limits the ability of the Trac team to make adjustments to the underlying database schema. We believe that the [wiki:TracQuery query module] is a good replacement that provides more flexibility and better usability. While there are certain reports that cannot yet be handled by the query module, we intend to further enhance it so that at some point the reports module can be completely removed. This also means that there will be no major enhancements to the report module anymore.'' 11 12 ''You can already completely replace the reports module by the query module simply by disabling the former in [wiki:TracIni trac.ini]:'' 13 {{{ 14 [components] 15 trac.ticket.report.* = disabled 16 }}} 17 ''This will make the query module the default handler for the “View Tickets” navigation item. We encourage you to try this configuration and report back what kind of features of reports you are missing, if any.'' 18 19 A report consists of these basic parts: 20 * '''ID''' — Unique (sequential) identifier 21 * '''Title''' — Descriptive title 22 * '''Description''' — A brief description of the report, in WikiFormatting text. 23 * '''Report Body''' — List of results from report query, formatted according to the methods described below. 24 * '''Footer''' — Links to alternative download formats for this report. 25 26 == Changing Sort Order == 27 Simple reports - ungrouped reports to be specific - can be changed to be sorted by any column simply by clicking the column header. 28 29 If a column header is a hyperlink (red), click the column you would like to sort by. Clicking the same header again reverses the order. 30 31 == Changing Report Numbering == 32 There may be instances where you need to change the ID of the report, perhaps to organize the reports better. At present this requires changes to the trac database. The ''report'' table has the following schema: 33 * id integer PRIMARY KEY 34 * author text 35 * title text 36 * query text 37 * description text 38 Changing the ID changes the shown order and number in the ''Available Reports'' list and the report's perma-link. This is done by running something like: 39 {{{ 40 update report set id=5 where id=3; 41 }}} 42 Keep in mind that the integrity has to be maintained (i.e., ID has to be unique, and you don't want to exceed the max, since that's managed by SQLite someplace). 43 44 You may also need to update or remove the report number stored in the report or query. 45 46 == Navigating Tickets == 47 Clicking on one of the report results will take you to that ticket. You can navigate through the results by clicking the ''Next Ticket'' or ''Previous Ticket'' links just below the main menu bar, or click the ''Back to Report'' link to return to the report page. 48 49 You can safely edit any of the tickets and continue to navigate through the results using the ''!Next/Previous/Back to Report'' links after saving your results, but when you return to the report, there will be no hint about what has changed, as would happen if you were navigating a list of tickets obtained from a query (see TracQuery#NavigatingTickets). 50 51 == Alternative Download Formats == 52 Aside from the default HTML view, reports can also be exported in a number of alternative formats. 53 At the bottom of the report page, you will find a list of available data formats. Click the desired link to 54 download the alternative report format. 55 56 === Comma-delimited - CSV (Comma Separated Values) === 57 Export the report as plain text, each row on its own line, columns separated by a single comma (','). 58 '''Note:''' The output is fully escaped so carriage returns, line feeds, and commas will be preserved in the output. 59 60 === Tab-delimited === 61 Like above, but uses tabs (\t) instead of comma. 62 63 === RSS - XML Content Syndication === 64 All reports support syndication using XML/RSS 2.0. To subscribe to an RSS feed, click the orange 'XML' icon at the bottom of the page. See TracRss for general information on RSS support in Trac. 65 66 ---- 67 68 == Creating Custom Reports == 69 70 ''Creating a custom report requires a comfortable knowledge of SQL.'' 71 72 '''Note that you need to set up [TracPermissions#Reports permissions] in order to see the buttons for adding or editing reports.''' 73 74 A report is basically a single named SQL query, executed and presented by 75 Trac. Reports can be viewed and created from a custom SQL expression directly 76 in the web interface. 77 78 Typically, a report consists of a SELECT-expression from the 'ticket' table, 79 using the available columns and sorting the way you want it. 80 81 == Ticket columns == 82 The ''ticket'' table has the following columns: 83 * id 84 * type 85 * time 86 * changetime 87 * component 88 * severity 89 * priority 90 * owner 91 * reporter 92 * cc 93 * version 94 * milestone 95 * status 96 * resolution 97 * summary 98 * description 99 * keywords 100 101 See TracTickets for a detailed description of the column fields. 102 103 Example: '''All active tickets, sorted by priority and time''' 104 {{{ 105 SELECT id AS ticket, status, severity, priority, owner, 106 time AS created, summary FROM ticket 107 WHERE status IN ('new', 'assigned', 'reopened') 108 ORDER BY priority, time 109 }}} 110 111 Dynamic variables can also be used in the report title and description (since 1.1.1). 112 113 == Advanced Reports: Dynamic Variables == 114 For more flexible reports, Trac supports the use of ''dynamic variables'' in report SQL statements. 115 In short, dynamic variables are ''special'' strings that are replaced by custom data before query execution. 116 117 === Using Variables in a Query === 118 The syntax for dynamic variables is simple, any upper case word beginning with '$' is considered a variable. 119 120 Example: 121 {{{ 122 SELECT id AS ticket,summary FROM ticket WHERE priority=$PRIORITY 123 }}} 124 125 To assign a value to $PRIORITY when viewing the report, you must define it as an argument in the report URL, leaving out the leading '$'. 126 127 Example: 128 {{{ 129 http://trac.edgewall.org/reports/14?PRIORITY=high 130 }}} 131 132 To use multiple variables, separate them with an '&'. 133 134 Example: 135 {{{ 136 http://trac.edgewall.org/reports/14?PRIORITY=high&SEVERITY=critical 137 }}} 138 139 140 === !Special/Constant Variables === 141 There is one dynamic variable whose value is set automatically (the URL does not have to be changed) to allow practical reports. 142 143 * $USER — Username of logged in user. 144 145 Example (''List all tickets assigned to me''): 146 {{{ 147 SELECT id AS ticket,summary FROM ticket WHERE owner=$USER 148 }}} 149 150 151 152 == Advanced Reports: Custom Formatting == 153 Trac is also capable of more advanced reports, including custom layouts, 154 result grouping and user-defined CSS styles. To create such reports, we'll use 155 specialized SQL statements to control the output of the Trac report engine. 156 157 === Special Columns === 158 To format reports, TracReports looks for 'magic' column names in the query 159 result. These 'magic' names are processed and affect the layout and style of the 160 final report. 161 162 === Automatically formatted columns === 163 * '''ticket''' — Ticket ID number. Becomes a hyperlink to that ticket. 164 * '''id''' — same as '''ticket''' above when '''realm''' is not set 165 * '''realm''' — together with '''id''', can be used to create links to other resources than tickets (e.g. a realm of ''wiki'' and an ''id'' to a page name will create a link to that wiki page) 166 - for some kind of resources, it may be necessary to specify their ''parent'' resources (e.g. for ''changeset'', which ''repos'') and this can be achieved using the '''parent_realm''' and '''parent_id''' columns 167 * '''created, modified, date, time''' — Format cell as a date and/or time. 168 * '''description''' — Ticket description field, parsed through the wiki engine. 169 170 '''Example:''' 171 {{{ 172 SELECT id AS ticket, created, status, summary FROM ticket 173 }}} 174 175 Those columns can also be defined but marked as hidden, see [#column-syntax below]. 176 177 See trac:wiki/CookBook/Configuration/Reports for some example of creating reports for realms other than ''ticket''. 178 179 === Custom formatting columns === 180 Columns whose names begin and end with 2 underscores (Example: '''`__color__`''') are 181 assumed to be ''formatting hints'', affecting the appearance of the row. 182 183 * '''`__group__`''' — Group results based on values in this column. Each group will have its own header and table. 184 * '''`__grouplink__`''' — Make the header of each group a link to the specified URL. The URL is taken from the first row of each group. 185 * '''`__color__`''' — Should be a numeric value ranging from 1 to 5 to select a pre-defined row color. Typically used to color rows by issue priority. 186 {{{ 187 #!html 188 <div style="margin-left:7.5em">Defaults: 189 <span style="border: none; color: #333; background: transparent; font-size: 85%; background: #fdc; border-color: #e88; color: #a22">Color 1</span> 190 <span style="border: none; color: #333; background: transparent; font-size: 85%; background: #ffb; border-color: #eea; color: #880">Color 2</span> 191 <span style="border: none; color: #333; background: transparent; font-size: 85%; background: #fbfbfb; border-color: #ddd; color: #444">Color 3</span> 192 <span style="border: none; color: #333; background: transparent; font-size: 85%; background: #e7ffff; border-color: #cee; color: #099">Color 4</span> 193 <span style="border: none; color: #333; background: transparent; font-size: 85%; background: #e7eeff; border-color: #cde; color: #469">Color 5</span> 194 </div> 195 }}} 196 * '''`__style__`''' — A custom CSS style expression to use on the `<tr>` element of the current row. 197 * '''`__class__`''' — Zero or more space-separated CSS class names to be set on the `<tr>` element of the current row. These classes are added to the class name derived from `__color__` and the odd / even indicator. 198 199 '''Example:''' ''List active tickets, grouped by milestone, group header linked to milestone page, colored by priority'' 200 {{{ 201 SELECT p.value AS __color__, 202 t.milestone AS __group__, 203 '../milestone/' || t.milestone AS __grouplink__, 204 (CASE owner WHEN 'daniel' THEN 'font-weight: bold; background: red;' ELSE '' END) AS __style__, 205 t.id AS ticket, summary 206 FROM ticket t,enum p 207 WHERE t.status IN ('new', 'assigned', 'reopened') 208 AND p.name=t.priority AND p.type='priority' 209 ORDER BY t.milestone, p.value, t.severity, t.time 210 }}} 211 212 '''Note:''' A table join is used to match ''ticket'' priorities with their 213 numeric representation from the ''enum'' table. 214 215 === Changing layout of report rows === #column-syntax 216 By default, all columns on each row are display on a single row in the HTML 217 report, possibly formatted according to the descriptions above. However, it's 218 also possible to create multi-line report entries. 219 220 * '''`column_`''' — ''Break row after this''. By appending an underscore ('_') to the column name, the remaining columns will be continued on a second line. 221 222 * '''`_column_`''' — ''Full row''. By adding an underscore ('_') both at the beginning and the end of a column name, the data will be shown on a separate row. 223 224 * '''`_column`''' — ''Hide data''. Prepending an underscore ('_') to a column name instructs Trac to hide the contents from the HTML output. This is useful for information to be visible only if downloaded in other formats (like CSV or RSS/XML). 225 This can be used to hide any kind of column, even important ones required for identifying the resource, e.g. `id as _id` will hide the '''Id''' column but the link to the ticket will be present. 226 227 '''Example:''' ''List active tickets, grouped by milestone, colored by priority, with description and multi-line layout'' 228 229 {{{ 230 SELECT p.value AS __color__, 231 t.milestone AS __group__, 232 (CASE owner 233 WHEN 'daniel' THEN 'font-weight: bold; background: red;' 234 ELSE '' END) AS __style__, 235 t.id AS ticket, summary AS summary_, -- ## Break line here 236 component,version, severity, milestone, status, owner, 237 time AS created, changetime AS modified, -- ## Dates are formatted 238 description AS _description_, -- ## Uses a full row 239 changetime AS _changetime, reporter AS _reporter -- ## Hidden from HTML output 240 FROM ticket t,enum p 241 WHERE t.status IN ('new', 'assigned', 'reopened') 242 AND p.name=t.priority AND p.type='priority' 243 ORDER BY t.milestone, p.value, t.severity, t.time 244 }}} 245 246 === Reporting on custom fields === 247 248 If you have added custom fields to your tickets (see TracTicketsCustomFields), you can write a SQL query to cover them. You'll need to make a join on the ticket_custom table, but this isn't especially easy. 249 250 If you have tickets in the database ''before'' you declare the extra fields in trac.ini, there will be no associated data in the ticket_custom table. To get around this, use SQL's "LEFT OUTER JOIN" clauses. See [trac:TracIniReportCustomFieldSample TracIniReportCustomFieldSample] for some examples. 251 252 === A note about SQL rewriting #rewriting 253 254 Beyond the relatively trivial replacement of dynamic variables, the SQL query is also altered in order to support two features of the reports: 255 1. [#sort-order changing the sort order] 256 2. pagination support (limitation of the number of result rows displayed on each page) 257 In order to support the first feature, the sort column is inserted in the `ORDER BY` clause in the first position or in the second position if a `__group__` column is specified (an `ORDER BY` clause is created if needed). In order to support pagination, a `LIMIT ... OFFSET ...` clause is appended. 258 The query might be too complex for the automatic rewrite to work correctly, resulting in an erroneous query. In this case you still have the possibility to control exactly how the rewrite is done by manually inserting the following tokens: 259 - `@SORT_COLUMN@`, the place where the name of the selected sort column will be inserted, 260 - `@LIMIT_OFFSET@`, the place where the pagination support clause will be added 261 Note that if you write them after an SQL comment, `--`, you'll effectively disable rewriting if this is what you want! 262 263 Let's take an example, consider the following SQL query: 264 {{{ 265 -- ## 4: Assigned, Active Tickets by Owner ## -- 266 267 -- 268 -- List assigned tickets, group by ticket owner, sorted by priority. 269 -- 270 271 SELECT p.value AS __color__, 272 owner AS __group__, 273 id AS ticket, summary, component, milestone, t.type AS type, severity, time AS created, 274 changetime AS _changetime, description AS _description, 275 reporter AS _reporter 276 FROM ticket t,enum p 277 WHERE status = 'assigned' 278 AND p.name=t.priority AND p.type='priority' 279 ORDER BY __group__, p.value, severity, time 280 }}} 281 282 The automatic rewrite will be the following (4 rows per page, page 2, sorted by `component`): 283 {{{ 284 SELECT p.value AS __color__, 285 owner AS __group__, 286 id AS ticket, summary, component, milestone, t.type AS type, severity, time AS created, 287 changetime AS _changetime, description AS _description, 288 reporter AS _reporter 289 FROM ticket t,enum p 290 WHERE status = 'assigned' 291 AND p.name=t.priority AND p.type='priority' 292 ORDER BY __group__ ASC, `component` ASC, __group__, p.value, severity, time 293 LIMIT 4 OFFSET 4 294 }}} 295 296 The equivalent SQL query with the rewrite tokens would have been: 297 {{{ 298 SELECT p.value AS __color__, 299 owner AS __group__, 300 id AS ticket, summary, component, milestone, t.type AS type, severity, time AS created, 301 changetime AS _changetime, description AS _description, 302 reporter AS _reporter 303 FROM ticket t,enum p 304 WHERE status = 'assigned' 305 AND p.name=t.priority AND p.type='priority' 306 ORDER BY __group__, @SORT_COLUMN@, p.value, severity, time 307 @LIMIT_OFFSET@ 308 }}} 309 310 If you want to always sort first by priority and only then by the user selected sort column, simply use the following `ORDER BY` clause: 311 {{{ 312 ORDER BY __group__, p.value, @SORT_COLUMN@, severity, time 313 }}} 314 315 ---- 316 See also: TracTickets, TracQuery, TracGuide, [http://www.sqlite.org/lang_expr.html Query Language Understood by SQLite] -
wiki/pages/TracRepositoryAdmin
r40534 r40542 1 = Repository Administration 2 [[PageOutline(2-3)]] 3 4 == Quick start #QuickStart 5 6 * Enable the repository connector(s) for the version control system(s) that you will use. 7 * Add repositories through the //Repositories// admin panel, with `trac-admin` or in the `[repositories]` section of [wiki:TracIni#repositories-section trac.ini]. 8 * Set up a call to `trac-admin $ENV changeset added $REPO $REV` in the post-commit hook of each repository. Additionally, add a call to `trac-admin $ENV changeset modified $REPO $REV` in the post-revprop-change hook of repositories allowing revision property changes. 9 * Make sure the user under which your hooks are run has write access to the Trac environment, or use a tool like `sudo` to temporarily elevate privileges. 10 11 == Enabling the components 12 13 Support for version control systems is provided by optional components distributed with Trac, which are disabled by default //(since 1.0)//. Subversion and Git must be explicitly enabled if you wish to use them. 14 15 The version control systems can be enabled by adding the following to the `[components]` section of your [TracIni#components-section trac.ini], or enabling the components in the //Plugins// admin panel. 16 17 {{{#!ini 18 tracopt.versioncontrol.svn.* = enabled 19 }}} 20 21 {{{#!ini 22 tracopt.versioncontrol.git.* = enabled 23 }}} 24 25 == Specifying repositories #Repositories 26 Trac supports multiple repositories per environment, and the repositories may be for different version control system types. Each repository must be defined in a repository configuration provider, the two supported by default are the [#ReposDatabase database store] and the [#ReposTracIni trac.ini configuration file]. A repository should not be defined in multiple configuration providers. 27 28 It is possible to define aliases of repositories, that act as "pointers" to real repositories. This can be useful when renaming a repository, to avoid breaking links to the old name. 29 30 A number of attributes can be associated with each repository. The attributes define the repository's location, type, name and how it is displayed in the source browser. The following attributes are supported: 31 32 ||='''Attribute''' =||='''Description''' =|| 33 ||`alias` ||\ 34 ||A repository having an `alias` attribute is an alias to a real repository. All TracLinks referencing the alias resolve to the aliased repository. Note that multiple indirection is not supported, so an alias must always point to a real repository. The `alias` and `dir` attributes are mutually exclusive. || 35 ||`description` ||\ 36 ||The text specified in the `description` attribute is displayed below the top-level entry for the repository in the source browser. It supports WikiFormatting. || 37 ||`dir` ||\ 38 ||The `dir` attribute specifies the location of the repository in the filesystem. It corresponds to the value previously specified in the option `[trac] repository_dir`. The `alias` and `dir` attributes are mutually exclusive. || 39 ||`hidden` ||When set to `true`, the repository is hidden from the repository index page in the source browser. Browsing the repository is still possible, and links referencing the repository remain valid. || 40 ||`sync_per_request`||When set to `true` the repository will be synced on every request. This is not recommended, instead a post-commit hook should be configured to provide [#ExplicitSync explicit synchronization] and `sync_per_request` should be set to `false`.|| 41 ||`type` ||The `type` attribute sets the type of version control system used by the repository. Trac supports Subversion and Git out-of-the-box, and plugins add support for many other systems. If `type` is not specified, it defaults to the value of the `[trac] repository_type` option. || 42 ||`url` ||The `url` attribute specifies the root URL to be used for checking out from the repository. When specified, a "Repository URL" link is added to the context navigation links in the source browser, that can be copied into the tool used for creating the working copy. || 43 44 A repository `name` and one of `alias` or `dir` attributes are mandatory. All others are optional. 45 46 For some version control systems, it is possible to specify not only the path to the repository in the `dir` attribute, but also a ''scope'' within the repository. Trac will then only show information related to the files and changesets below that scope. The Subversion backend for Trac supports this. For other types, check the corresponding plugin's documentation. 47 48 After adding a repository, the cache for that repository must be re-synchronized once with the `trac-admin $ENV repository resync` command. 49 50 `repository resync <repos>`:: 51 Re-synchronize Trac with a repository. 52 53 54 === In `trac.ini` #ReposTracIni 55 Repositories and repository attributes can be specified in the `[repositories]` section of [wiki:TracIni#repositories-section trac.ini]. Every attribute consists of a key structured as `{name}.{attribute}` and the corresponding value separated with an equal sign (`=`). The name of the default repository is empty. 56 57 The main advantage of specifying repositories in `trac.ini` is that they can be inherited from a global configuration (see the [wiki:TracIni#GlobalConfiguration global configuration] section of TracIni). One drawback is that, due to limitations in the `ConfigParser` class used to parse `trac.ini`, the repository name is always all-lowercase. 58 59 The following example defines two Subversion repositories named `project` and `lib`, and an alias to `project` as the default repository. This is a typical use case where a Trac environment previously had a single repository (the `project` repository), and was converted to multiple repositories. The alias ensures that links predating the change continue to resolve to the `project` repository. 60 {{{#!ini 61 [repositories] 62 project.dir = /var/repos/project 63 project.description = This is the ''main'' project repository. 64 project.type = svn 65 project.url = http://example.com/svn/project 66 project.hidden = true 67 68 lib.dir = /var/repos/lib 69 lib.description = This is the secondary library code. 70 lib.type = svn 71 lib.url = http://example.com/svn/lib 72 73 .alias = project 74 }}} 75 Note that `name.alias = target` makes `name` an alias for the `target` repo, not the other way around. 76 77 === In the database #ReposDatabase 78 Repositories can also be specified in the database, using either the "Repositories" admin panel under "Version Control", or the `trac-admin $ENV repository` commands. 79 80 The admin panel shows the list of all repositories defined in the Trac environment. It allows adding repositories and aliases, editing repository attributes and removing repositories. Note that repositories defined in `trac.ini` are displayed but cannot be edited. 81 82 The following [wiki:TracAdmin trac-admin] commands can be used to perform repository operations from the command line. 83 84 `repository add <repos> <dir> [type]`:: 85 Add a repository `<repos>` located at `<dir>`, and optionally specify its type. 86 87 `repository alias <name> <target>`:: 88 Create an alias `<name>` for the repository `<target>`. 89 90 `repository remove <repos>`:: 91 Remove the repository `<repos>`. 92 93 `repository set <repos> <key> <value>`:: 94 Set the attribute `<key>` to `<value>` for the repository `<repos>`. 95 96 Note that the default repository has an empty name, so it will likely need to be quoted when running `trac-admin` from a shell. Alternatively, the name "`(default)`" can be used instead, for example when running `trac-admin` in interactive mode. 97 98 == Repository caching 99 100 The Subversion and Git repository connectors support caching, which improves the performance browsing the repository, viewing logs and viewing changesets. Cached repositories must be [#Synchronization synchronized]; either explicit or implicit synchronization can be used. When searching changesets, only cached repositories are searched. 101 102 Subversion repositories are cached unless the type is `direct-svnfs`. Git repositories are cached when `[git]` [wiki:TracIni#git-section cached_repository] is `true`. 103 104 == Repository synchronization #Synchronization 105 Prior to 0.12, Trac synchronized its cache with the repository on every HTTP request. This approach is not very efficient and not practical anymore with multiple repositories. For this reason, explicit synchronization through post-commit hooks was added. 106 107 There is also new functionality in the form of a repository listener extension point ''(IRepositoryChangeListener)'' that is triggered by the post-commit hook when a changeset is added or modified, and can be used by plugins to perform actions on commit. 108 109 === Mercurial Repositories 110 Please note that at the time of writing, no initial resynchronization or any hooks are necessary for Mercurial repositories - see [trac:#9485] for more information. 111 112 === Explicit synchronization #ExplicitSync 113 This is the preferred method of repository synchronization. It requires setting the `sync_per_request` attribute to `false`, and adding a call to `trac-admin` in the `post-commit` hook of each repository. Additionally, if a repository allows changing revision metadata, a call to `trac-admin` must be added to the `post-revprop-change` hook as well. 114 115 `changeset added <repos> <rev> [...]`:: 116 Notify Trac that one or more changesets have been added to a repository. 117 118 `changeset modified <repos> <rev> [...]`:: 119 Notify Trac that metadata on one or more changesets in a repository has been modified. 120 121 The `<repos>` argument can be either a repository name (use "`(default)`" for the default repository) or the path to the repository. 122 123 Note that you may have to set the environment variable `PYTHON_EGG_CACHE` to the same value as was used for the web server configuration before calling `trac-admin`, if you changed it from its default location. See [wiki:TracPlugins Trac Plugins] for more information. 124 125 ==== Subversion 126 127 The following examples are complete post-commit and post-revprop-change scripts for Subversion. They should be edited for the specific environment, marked executable (where applicable) and placed in the `hooks` directory of each repository. On Unix (`post-commit`): 128 {{{#!sh 129 #!/bin/sh 130 export PYTHON_EGG_CACHE="/path/to/dir" 131 /usr/bin/trac-admin /path/to/env changeset added "$1" "$2" 132 }}} 133 Note: Check with `whereis trac-admin`, whether `trac-admin` is really installed under `/usr/bin/` or maybe under `/usr/local/bin/` and adapt the path. 134 On Windows (`post-commit.cmd`): 135 {{{#!bat 136 @C:\Python26\Scripts\trac-admin.exe C:\path\to\env changeset added "%1" "%2" 137 }}} 138 139 The post-revprop-change hook for Subversion is very similar. On Unix (`post-revprop-change`): 140 {{{#!sh 141 #!/bin/sh 142 export PYTHON_EGG_CACHE="/path/to/dir" 143 /usr/bin/trac-admin /path/to/env changeset modified "$1" "$2" 144 }}} 145 On Windows (`post-revprop-change.cmd`): 146 {{{#!bat 147 @C:\Python26\Scripts\trac-admin.exe C:\path\to\env changeset modified "%1" "%2" 148 }}} 149 150 The Unix variants above assume that the user running the Subversion commit has write access to the Trac environment, which is the case in the standard configuration where both the repository and Trac are served by the web server. If you access the repository through another means, for example `svn+ssh://`, you may have to run `trac-admin` with different privileges, for example by using `sudo`. 151 152 Note that calling `trac-admin` in your Subversion hooks can slow down the commit and log editing operations on the client side. You might want to use the [trac:source:trunk/contrib/trac-svn-hook contrib/trac-svn-hook] script which starts `trac-admin` in an asynchronous way. The script also comes with a number of safety checks and usage advices which should make it easier to set up and test your hooks. There's no equivalent `trac-svn-hook.bat` for Windows yet, but the script can be run by Cygwin's bash. 153 154 See the [http://svnbook.red-bean.com/en/1.5/svn.reposadmin.create.html#svn.reposadmin.create.hooks section about hooks] in the Subversion book for more information. Other repository types will require different hook setups. 155 156 ==== Git 157 158 Git hooks can be used in the same way for explicit syncing of Git repositories. If your git repository is one that gets committed to directly on the machine that hosts trac, add the following to the `hooks/post-commit` file in your git repo (note: this will do nothing if you only update the repo by pushing to it): 159 {{{#!sh 160 #!/bin/sh 161 REV=$(git rev-parse HEAD) 162 trac-admin /path/to/env changeset added <repos> $REV 163 }}} 164 165 Alternately, if your repository is one that only gets pushed to, add the following to the `hooks/post-receive` file in the repo: 166 {{{#!sh 167 #!/bin/sh 168 tracenv=/path/to/env # change with your Trac environment's path 169 repos= # change with your repository's name 170 while read oldrev newrev refname; do 171 if [ "$oldrev" = 0000000000000000000000000000000000000000 ]; then 172 git rev-list --reverse "$newrev" -- 173 else 174 git rev-list --reverse "$newrev" "^$oldrev" -- 175 fi | xargs trac-admin "$tracenv" changeset added "$repos" 176 done 177 }}} 178 179 The `<repos>` argument can be either a repository name (use "`(default)`" for the default repository) or the path to the repository. 180 181 ==== Mercurial 182 183 For Mercurial, add the following entries to the `.hgrc` file of each repository accessed by Trac (if [trac:TracMercurial] is installed in a Trac `plugins` directory, download [trac:source:mercurial-plugin/tracext/hg/hooks.py hooks.py] and place it somewhere accessible): 184 {{{#!ini 185 [hooks] 186 ; If mercurial-plugin is installed globally 187 commit = python:tracext.hg.hooks.add_changesets 188 changegroup = python:tracext.hg.hooks.add_changesets 189 190 ; If mercurial-plugin is installed in a Trac plugins directory 191 commit = python:/path/to/hooks.py:add_changesets 192 changegroup = python:/path/to/hooks.py:add_changesets 193 194 [trac] 195 env = /path/to/env 196 trac-admin = /path/to/trac-admin 197 }}} 198 199 === Per-request synchronization #PerRequestSync 200 If the post-commit hooks are not available, the environment can be set up for per-request synchronization. In that case, the `sync_per_request` attribute for each repository in the database and in [wiki:TracIni#trac-section trac.ini] must be set to `false`. 201 202 Note that in this case, the changeset listener extension point is not called, and therefore plugins using it will not work correctly. 203 204 == Automatic changeset references in tickets 205 206 You can automatically add a reference to the changeset as a ticket comment whenever changes are committed to the repository. The description of the commit needs to contain one of the following formulas: 207 * '''`Refs #123`''' - to reference this changeset in `#123` ticket 208 * '''`Fixes #123`''' - to reference this changeset and close `#123` ticket with the default status ''fixed'' 209 210 This functionality requires installing a post-commit hook as described in [#ExplicitSync], and enabling the optional commit updater components by adding the following line to the `[components]` section of your [wiki:TracIni#components-section trac.ini], or enabling the components in the //Plugins// admin panel. 211 {{{#!ini 212 tracopt.ticket.commit_updater.* = enabled 213 }}} 214 For more information, see the documentation of the `CommitTicketUpdater` component in the //Plugins// admin panel and the [trac:CommitTicketUpdater] page. 215 216 == Troubleshooting 217 218 === My trac-post-commit-hook doesn't work anymore #trac-post-commit-hook 219 220 You must now use the optional components from `tracopt.ticket.commit_updater.*`, which you can activate through the Plugins panel in the Administrative part of the web interface, or by directly modifying the [TracIni#components-section "[components]"] section in the trac.ini. Be sure to use [#ExplicitSync explicit synchronization] as explained above. -
wiki/pages/TracRevisionLog
r40534 r40542 1 = Viewing Revision Logs = 2 [[TracGuideToc]] 3 4 When you browse the repository, it is always possible to view the ''Revision Log'' that corresponds to the repository path. This displays a list of the most recent changesets in which the current path or any other path below it has been modified. 5 6 == The Revision Log Form == 7 8 It is possible to set the revision at which the revision log should start, using the ''View log starting at'' field. An empty value or a value of ''head'' is interpreted as the newest changeset. 9 10 It is also possible to specify the revision at which the log should stop, using the ''Back to'' field. By default it is empty, 11 which means the revision log will show the latest 100 revisions. 12 13 Also, there are three modes of operation of the revision log. 14 15 By default, the revision log ''stops on copy'', which means that whenever an ''Add'', ''Copy'' or ''Rename'' operation is detected, no older revision will be shown. That's very convenient when working with branches, as one only sees the history corresponding to what has been done on the branch. 16 17 It is also possible to indicate that one wants to see what happened before a ''Copy'' or ''Rename'' change, by selecting the 18 ''Follow copies'' mode. This will cross all copies or renames changes. 19 Each time the name of the path changes, there will be an additional indentation level. That way, the changes on the different paths are easily grouped together visually. 20 21 It is even possible to go past an ''Add'' change, in order to see if there has been a ''Delete'' change on that path, before 22 that ''Add''. This mode corresponds to the mode called ''Show only adds, moves and deletes''. This operation can be quite resource intensive and therefore take some time to be shown on screen. 23 24 Finally, there's also a checkbox ''Show full log messages'', which controls whether the full content of the commit log message 25 should be displayed for each change, or only a shortened version of it. 26 27 == The Revision Log Information == 28 29 For each revision log entry, the following columns are displayed: 30 1. The first column contains a pair of radio buttons and should be used 31 for selecting the ''old'' and the ''new'' revisions that will be 32 used for [wiki:TracRevisionLog#viewingtheactualchanges viewing the actual changes]. 33 1. A color code (similar to the one used for the 34 [wiki:TracChangeset#ChangesetHeader changesets]) indicating kind of change. 35 Clicking on this column refreshes the revision log so that it restarts 36 with this change. 37 1. The '''Revision''' number, displayed as `@xyz`. 38 This is a link to the TracBrowser, using the displayed revision as the base line. 39 Next to it, you can see a little "wheel" icon [[Image(htdocs:../common/changeset.png)]], which is clickable and leads to the TracChangeset view for that revision. 40 1. The '''Date''' at which the change was made. 41 The date is displayed as the time elapsed from the date of the revision. The time 42 elapsed is displayed as the number of hours, days, weeks, months, or years. 43 1. The '''Author''' of the change. 44 1. The '''Log Message''', which contains either the truncated or full commit 45 log message, depending on the value of the ''Show full log messages'' 46 checkbox in the form above. 47 48 49 == Inspecting Changes Between Revisions == 50 51 The ''View changes...'' buttons (placed above and below the list of changes, on the left side) will show the set of differences 52 corresponding to the aggregated changes starting from the ''old'' revision (first radio-button) to the ''new'' revision (second 53 radio-button), in the TracChangeset view. 54 55 Note that the ''old'' revision doesn't need to be actually ''older'' than the ''new'' revision: it simply gives a base 56 for the diff. It's therefore entirely possible to easily generate a ''reverse diff'', for reverting what has been done 57 in the given range of revisions. 58 59 Finally, if the two revisions are identical, the corresponding changeset will be shown. This has the same effect as clicking on the !ChangeSet number. 60 61 == Alternative Formats == 62 63 === The !ChangeLog Text === 64 65 At the bottom of the page, there's a ''!ChangeLog'' link that will show the range of revisions as currently shown, but as a simple text, matching the usual conventions for !ChangeLog files. 66 67 === RSS Support === 68 69 The revision log also provides a RSS feed to monitor the changes. To subscribe to a RSS feed for a file or directory, open its 70 revision log in the browser and click the orange 'XML' icon at the bottom of the page. For more information on RSS support in Trac, see TracRss. 71 72 ---- 73 See also: TracBrowser, TracChangeset, TracGuide -
wiki/pages/TracRoadmap
r40534 r40542 1 = The Trac Roadmap 2 [[TracGuideToc]] 3 4 The roadmap provides a view on the [wiki:TracTickets ticket system] that helps planning and managing the future development of a project. 5 6 == The Roadmap View 7 8 A roadmap is a list of future milestones. The roadmap can be filtered to show or hide ''completed milestones'' and ''milestones with no due date''. In the case that both ''show completed milestones'' and ''hide milestones with no due date'' are selected, ''completed'' milestones with no due date will be shown. 9 10 == The Milestone View 11 12 A milestone is a future timeframe in which tickets are expected to be solved. You can add a description to milestones (using WikiFormatting) describing main objectives, for example. In addition, tickets targeted for a milestone are aggregated, and the ratio between active and resolved tickets is displayed as a milestone progress bar. It is possible to further [trac:TracRoadmapCustomGroups customise the ticket grouping] and have multiple ticket statuses shown on the progress bar. 13 14 It is possible to drill down into this simple statistic by viewing the individual milestone pages. By default, the active/resolved ratio will be grouped and displayed by component. You can also regroup the status by other criteria, such as ticket owner or severity. Ticket numbers are linked to [wiki:TracQuery custom queries] listing corresponding tickets. 15 16 == Roadmap Administration 17 18 With appropriate permissions it is possible to add, modify and remove milestones using either the web interface (roadmap and milestone pages), web administration interface or by using `trac-admin`. 19 20 '''Note:''' Milestone descriptions can not currently be edited using 'trac-admin'. 21 22 == iCalendar Support 23 24 The Roadmap supports the [http://www.ietf.org/rfc/rfc2445.txt iCalendar] format to keep track of planned milestones and related tickets from your favorite calendar software. Many calendar applications support the iCalendar specification including 25 * [http://www.apple.com/ical/ Apple iCal] for Mac OS X 26 * the cross-platform [http://www.mozilla.org/projects/calendar/ Mozilla Calendar] 27 * [http://chandlerproject.org Chandler] 28 * [http://kontact.kde.org/korganizer/ Korganizer], the calendar application of the [http://www.kde.org/ KDE] project 29 * [https://wiki.gnome.org/Apps/Evolution Evolution] 30 * [http://office.microsoft.com/en-us/outlook/ Microsoft Outlook] can also read iCalendar files and appears as a new static calendar in Outlook 31 * [https://www.google.com/calendar/ Google Calendar] 32 33 To subscribe to the roadmap, copy the iCalendar link from the roadmap (found at the bottom of the page) and choose the "Subscribe to remote calendar" action (or similar) of your calendar application, and insert the URL just copied. 34 35 '''Note:''' For tickets to be included in the calendar as tasks, you need to be logged in when copying the link. You will only see tickets assigned to yourself and associated with a milestone. 36 37 '''Note:''' To include the milestones in Google Calendar you might need to rewrite the URL. 38 {{{ 39 RewriteEngine on 40 RewriteRule ([^/.]+)/roadmap/([^/.]+)/ics /$1/roadmap?user=$2&format=ics 41 }}} 42 43 More information about iCalendar can be found at [http://en.wikipedia.org/wiki/ICalendar Wikipedia]. 44 ---- 45 See also: TracTickets, TracReports, TracQuery, [trac:TracRoadmapCustomGroups] -
wiki/pages/TracRss
r40534 r40542 1 = Using RSS with Trac 2 [[TracGuideToc]] 3 4 Several of the Trac modules support content syndication using the RSS ([http://en.wikipedia.org/wiki/RSS Really Simple Syndication]) XML format. RSS pushes out updates to Trac whenever they occur and to whoever has subscribed to it. Using the RSS subscription feature in Trac, you can easily monitor progress of the project, a set of issues or even changes to a single file. 5 6 Trac supports RSS feeds in: 7 8 * TracTimeline — Use the RSS feed to '''subscribe to project events'''. Monitor overall project progress in your favorite RSS reader. 9 * TracTickets, TracReports, and TracQuery — Allows syndication of report and ticket query results. Be notified about important and relevant issue tickets. 10 * TracBrowser and TracRevisionLog — Syndication of file changes. Stay up to date with changes to a specific file or directory. 11 12 == How to access RSS data 13 Anywhere in Trac where RSS is available, you should find a small orange '''RSS''' icon, typically at the bottom of the page: 14 {{{#!html 15 <a rel="nofollow" style="padding-left: 20px; background: url(../../chrome/common/feed.png) left center no-repeat; border: none;"><span style="color: #666;padding: 0 0 2px; font-size: 11px;">RSS feed</span></a> 16 }}} 17 Clicking the icon will access the RSS feed for that specific resource. 18 19 '''Note:''' Different modules provide different data in their RSS feeds. Usually the syndicated information corresponds to the current view. For example, if you click the RSS link on a report page, the feed will be based on that report. It might be explained by thinking of the RSS feeds as an ''alternate view of the data currently displayed''. 20 21 Since Trac 1.0 an RSS feed can be retrieved from a Trac site that requires authentication. Hover over the RSS icon, right click and //copy link address//. 22 23 == Links 24 * ''Specifications:'' 25 * http://blogs.law.harvard.edu/tech/rss — RSS 2.0 Specification. 26 27 * ''Multi-platform RSS readers:'' 28 * http://www.rssowl.org/ — Open source, Eclipse-based, RSS reader for Linux, Mac and Windows systems that supports https and authenticated feeds. 29 30 * ''Linux/BSD/*n*x systems:'' 31 * http://liferea.sourceforge.net/ — Open source GTK2 RSS Reader for Linux. 32 * [http://akregator.sourceforge.net/ Akregator] — Open source KDE RSS Reader, part of KDE-PIM. 33 34 * ''Mac OS X systems:'' 35 * http://ranchero.com/netnewswire/ — An excellent RSS reader for Mac OS X, has both free and paid versions. 36 * http://www.utsire.com/shrook/ — An RSS reader for Max OS X that supports https, even with self signed certificates, and authenticated feeds. 37 * http://vienna-rss.sourceforge.net/ — Open source Feed Reader for Mac OS X with smart folders support. 38 39 * ''Windows systems:'' 40 * http://www.rssreader.com/ — Free and powerful RSS Reader for MS Windows. 41 * http://www.sharpreader.net/ — A free RSS Reader written in .NET for MS Windows. 42 43 * ''Firefox:'' 44 * http://www.mozilla.org/products/firefox/ — Mozilla Firefox features plenty [https://addons.mozilla.org/en-US/firefox/search/?q=rss&appver=&platform= add-ons] for supporting RSS. 45 46 ---- 47 See also: TracGuide, TracTimeline, TracReports, TracBrowser -
wiki/pages/TracSearch
r40534 r40542 1 = Using Search 2 3 Trac has built-in search functionality to search for occurrences of keywords and substrings in wiki pages, tickets and changeset properties, such as author, revision and log messages. 4 5 Apart from the [search: Search module], you will also find a small search field above the navigation bar at all time. It provides convenient access to the search module from all pages. 6 7 The search results show the most recent modifications ranked first rather than the most relevant result. 8 9 == Quick searches 10 For quick access to project resources, the quick-search field at the top of every page can be used to enter a [TracLinks wiki link], which will take you directly to the resource identified by that link: 11 12 * ![42] -- Opens change set 42 13 * !#42 -- Opens ticket number 42 14 * !{1} -- Opens report 1 15 * /trunk -- Opens the browser for the `trunk` directory in the default repository 16 * /repos1/trunk -- Opens the browser for the `trunk` directory in the `repos1` repository 17 18 == Advanced 19 20 === Disabling Quickjump 21 To disable the Quickjump feature for a keyword start the query with an exclamation mark (`!`): use `!TracGuide` to search for occurrences of the literal word !TracGuide. 22 23 === Search Links 24 From the Wiki, it is possible to link to a specific search, using `search:` links: 25 * `search:?q=crash` will search for the string "crash" 26 * `search:?q=trac+link&wiki=on` will search for "trac" and "link" in wiki pages only 27 28 ---- 29 See also: TracGuide, TracLinks, TracQuery -
wiki/pages/TracStandalone
r40534 r40542 1 = Tracd 2 3 Tracd is a lightweight standalone Trac web server. 4 It can be used in a variety of situations, from a test or development server to a multiprocess setup behind another web server used as a load balancer. 5 6 == Pros 7 8 * Fewer dependencies: You don't need to install apache or any other web-server. 9 * Fast: Should be almost as fast as the [wiki:TracModPython mod_python] version (and much faster than the [wiki:TracCgi CGI]), even more so since version 0.12 where the HTTP/1.1 version of the protocol is enabled by default 10 * Automatic reloading: For development, Tracd can be used in ''auto_reload'' mode, which will automatically restart the server whenever you make a change to the code (in Trac itself or in a plugin). 11 12 == Cons 13 14 * Fewer features: Tracd implements a very simple web-server and is not as configurable or as scalable as Apache httpd. 15 * No native HTTPS support: [http://www.rickk.com/sslwrap/ sslwrap] can be used instead, 16 or [trac:wiki:STunnelTracd stunnel -- a tutorial on how to use stunnel with tracd] or Apache with mod_proxy. 17 18 == Usage examples 19 20 A single project on port 8080. (http://localhost:8080/) 21 {{{#!sh 22 $ tracd -p 8080 /path/to/project 23 }}} 24 Strictly speaking this will make your Trac accessible to everybody from your network rather than ''localhost only''. To truly limit it use the `--hostname` option. 25 {{{#!sh 26 $ tracd --hostname=localhost -p 8080 /path/to/project 27 }}} 28 With more than one project. (http://localhost:8080/project1/ and http://localhost:8080/project2/) 29 {{{#!sh 30 $ tracd -p 8080 /path/to/project1 /path/to/project2 31 }}} 32 33 You can't have the last portion of the path identical between the projects since Trac uses that name to keep the URLs of the 34 different projects unique. So if you use `/project1/path/to` and `/project2/path/to`, you will only see the second project. 35 36 An alternative way to serve multiple projects is to specify a parent directory in which each subdirectory is a Trac project, using the `-e` option. The example above could be rewritten: 37 {{{#!sh 38 $ tracd -p 8080 -e /path/to 39 }}} 40 41 To exit the server on Windows, be sure to use `CTRL-BREAK` -- using `CTRL-C` will leave a Python process running in the background. 42 43 == Installing as a Windows Service 44 45 === Option 1 46 To install as a Windows service, get the [http://www.google.com/search?q=srvany.exe SRVANY] utility and run: 47 {{{#!cmd 48 C:\path\to\instsrv.exe tracd C:\path\to\srvany.exe 49 reg add HKLM\SYSTEM\CurrentControlSet\Services\tracd\Parameters /v Application /d "\"C:\path\to\python.exe\" \"C:\path\to\python\scripts\tracd-script.py\" <your tracd parameters>" 50 net start tracd 51 }}} 52 53 '''DO NOT''' use {{{tracd.exe}}}. Instead register {{{python.exe}}} directly with {{{tracd-script.py}}} as a parameter. If you use {{{tracd.exe}}}, it will spawn the python process without SRVANY's knowledge. This python process will survive a {{{net stop tracd}}}. 54 55 If you want tracd to start automatically when you boot Windows, do: 56 {{{#!cmd 57 sc config tracd start= auto 58 }}} 59 60 The spacing here is important. 61 62 {{{#!div 63 Once the service is installed, it might be simpler to run the Registry Editor rather than use the `reg add` command documented above. Navigate to:[[BR]] 64 `HKEY_LOCAL_MACHINE\SYSTEM\CurrentControlSet\Services\tracd\Parameters` 65 66 Three (string) parameters are provided: 67 ||!AppDirectory ||C:\Python26\ || 68 ||Application ||python.exe || 69 ||!AppParameters ||scripts\tracd-script.py -p 8080 ... || 70 71 Note that, if the !AppDirectory is set as above, the paths of the executable ''and'' of the script name and parameter values are relative to the directory. This makes updating Python a little simpler because the change can be limited, here, to a single point. 72 (This is true for the path to the .htpasswd file, as well, despite the documentation calling out the /full/path/to/htpasswd; however, you may not wish to store that file under the Python directory.) 73 }}} 74 75 For Windows 7 User, srvany.exe may not be an option, so you can use [http://www.google.com/search?q=winserv.exe WINSERV] utility and run: 76 {{{#!cmd 77 "C:\path\to\winserv.exe" install tracd -displayname "tracd" -start auto "C:\path\to\python.exe" c:\path\to\python\scripts\tracd-script.py <your tracd parameters>" 78 net start tracd 79 }}} 80 81 === Option 2 82 83 Use [http://trac-hacks.org/wiki/WindowsServiceScript WindowsServiceScript], available at [http://trac-hacks.org/ Trac Hacks]. Installs, removes, starts, stops, etc. your Trac service. 84 85 === Option 3 86 87 also cygwin's cygrunsrv.exe can be used: 88 {{{#!sh 89 $ cygrunsrv --install tracd --path /cygdrive/c/Python27/Scripts/tracd.exe --args '--port 8000 --env-parent-dir E:\IssueTrackers\Trac\Projects' 90 $ net start tracd 91 }}} 92 93 == Using Authentication 94 95 Tracd allows you to run Trac without the need for Apache, but you can take advantage of Apache's password tools (`htpasswd` and `htdigest`) to easily create a password file in the proper format for tracd to use in authentication. (It is also possible to create the password file without `htpasswd` or `htdigest`; see below for alternatives) 96 97 Make sure you place the generated password files on a filesystem which supports sub-second timestamps, as Trac will monitor their modified time and changes happening on a filesystem with too coarse-grained timestamp resolution (like `ext2` or `ext3` on Linux, or HFS+ on OSX). 98 99 Tracd provides support for both Basic and Digest authentication. Digest is considered more secure. The examples below use Digest; to use Basic authentication, replace `--auth` with `--basic-auth` in the command line. 100 101 The general format for using authentication is: 102 {{{#!sh 103 $ tracd -p port --auth="base_project_dir,password_file_path,realm" project_path 104 }}} 105 where: 106 * '''base_project_dir''': the base directory of the project specified as follows: 107 * when serving multiple projects: ''relative'' to the `project_path` 108 * when serving only a single project (`-s`): the name of the project directory 109 Don't use an absolute path here as this won't work. ''Note:'' This parameter is case-sensitive even for environments on Windows. 110 * '''password_file_path''': path to the password file 111 * '''realm''': the realm name (can be anything) 112 * '''project_path''': path of the project 113 114 * **`--auth`** in the above means use Digest authentication, replace `--auth` with `--basic-auth` if you want to use Basic auth. Although Basic authentication does not require a "realm", the command parser does, so the second comma is required, followed directly by the closing quote for an empty realm name. 115 116 Examples: 117 118 {{{#!sh 119 $ tracd -p 8080 \ 120 --auth="project1,/path/to/passwordfile,mycompany.com" /path/to/project1 121 }}} 122 123 Of course, the password file can be be shared so that it is used for more than one project: 124 {{{#!sh 125 $ tracd -p 8080 \ 126 --auth="project1,/path/to/passwordfile,mycompany.com" \ 127 --auth="project2,/path/to/passwordfile,mycompany.com" \ 128 /path/to/project1 /path/to/project2 129 }}} 130 131 Another way to share the password file is to specify "*" for the project name: 132 {{{#!sh 133 $ tracd -p 8080 \ 134 --auth="*,/path/to/users.htdigest,mycompany.com" \ 135 /path/to/project1 /path/to/project2 136 }}} 137 138 === Basic Authorization: Using a htpasswd password file 139 This section describes how to use `tracd` with Apache .htpasswd files. 140 141 Note: It is necessary (at least with Python 2.6) to install the fcrypt package in order to 142 decode some htpasswd formats. Trac source code attempt an `import crypt` first, but there 143 is no such package for Python 2.6. Only `SHA-1` passwords (since Trac 1.0) work without this module. 144 145 To create a .htpasswd file use Apache's `htpasswd` command (see [#GeneratingPasswordsWithoutApache below] for a method to create these files without using Apache): 146 {{{#!sh 147 $ sudo htpasswd -c /path/to/env/.htpasswd username 148 }}} 149 then for additional users: 150 {{{#!sh 151 $ sudo htpasswd /path/to/env/.htpasswd username2 152 }}} 153 154 Then to start `tracd` run something like this: 155 {{{#!sh 156 $ tracd -p 8080 --basic-auth="project,/fullpath/environmentname/.htpasswd,realmname" /path/to/project 157 }}} 158 159 For example: 160 {{{#!sh 161 $ tracd -p 8080 --basic-auth="project,/srv/tracenv/testenv/.htpasswd,My Test Env" /path/to/project 162 }}} 163 ''Note:'' You might need to pass "-m" as a parameter to htpasswd on some platforms (OpenBSD). 164 165 === Digest authentication: Using a htdigest password file 166 167 If you have Apache available, you can use the htdigest command to generate the password file. Type 'htdigest' to get some usage instructions, or read [http://httpd.apache.org/docs/2.0/programs/htdigest.html this page] from the Apache manual to get precise instructions. You'll be prompted for a password to enter for each user that you create. For the name of the password file, you can use whatever you like, but if you use something like `users.htdigest` it will remind you what the file contains. As a suggestion, put it in your <projectname>/conf folder along with the [TracIni trac.ini] file. 168 169 Note that you can start tracd without the `--auth` argument, but if you click on the ''Login'' link you will get an error. 170 171 === Generating Passwords Without Apache 172 173 Basic Authorization can be accomplished via this [http://aspirine.org/htpasswd_en.html online HTTP Password generator] which also supports `SHA-1`. Copy the generated password-hash line to the .htpasswd file on your system. Note that Windows Python lacks the "crypt" module that is the default hash type for htpasswd. Windows Python can grok MD5 password hashes just fine and you should use MD5. 174 175 Trac also provides `htpasswd` and `htdigest` scripts in `contrib`: 176 {{{#!sh 177 $ ./contrib/htpasswd.py -cb htpasswd user1 user1 178 $ ./contrib/htpasswd.py -b htpasswd user2 user2 179 }}} 180 181 {{{#!sh 182 $ ./contrib/htdigest.py -cb htdigest trac user1 user1 183 $ ./contrib/htdigest.py -b htdigest trac user2 user2 184 }}} 185 186 ==== Using `md5sum` 187 It is possible to use `md5sum` utility to generate digest-password file: 188 {{{#!sh 189 user= 190 realm= 191 password= 192 path_to_file= 193 echo ${user}:${realm}:$(printf "${user}:${realm}:${password}" | md5sum - | sed -e 's/\s\+-//') > ${path_to_file} 194 }}} 195 196 == Reference 197 198 Here's the online help, as a reminder (`tracd --help`): 199 {{{ 200 Usage: tracd [options] [projenv] ... 201 202 Options: 203 --version show program's version number and exit 204 -h, --help show this help message and exit 205 -a DIGESTAUTH, --auth=DIGESTAUTH 206 [projectdir],[htdigest_file],[realm] 207 --basic-auth=BASICAUTH 208 [projectdir],[htpasswd_file],[realm] 209 -p PORT, --port=PORT the port number to bind to 210 -b HOSTNAME, --hostname=HOSTNAME 211 the host name or IP address to bind to 212 --protocol=PROTOCOL http|scgi|ajp|fcgi 213 -q, --unquote unquote PATH_INFO (may be needed when using ajp) 214 --http10 use HTTP/1.0 protocol version instead of HTTP/1.1 215 --http11 use HTTP/1.1 protocol version (default) 216 -e PARENTDIR, --env-parent-dir=PARENTDIR 217 parent directory of the project environments 218 --base-path=BASE_PATH 219 the initial portion of the request URL's "path" 220 -r, --auto-reload restart automatically when sources are modified 221 -s, --single-env only serve a single project without the project list 222 -d, --daemonize run in the background as a daemon 223 --pidfile=PIDFILE when daemonizing, file to which to write pid 224 --umask=MASK when daemonizing, file mode creation mask to use, in 225 octal notation (default 022) 226 --group=GROUP the group to run as 227 --user=USER the user to run as 228 }}} 229 230 Use the -d option so that tracd doesn't hang if you close the terminal window where tracd was started. 231 232 == Tips 233 234 === Serving static content 235 236 If `tracd` is the only web server used for the project, 237 it can also be used to distribute static content 238 (tarballs, Doxygen documentation, etc.) 239 240 This static content should be put in the `$TRAC_ENV/htdocs` folder, 241 and is accessed by URLs like `<project_URL>/chrome/site/...`. 242 243 Example: given a `$TRAC_ENV/htdocs/software-0.1.tar.gz` file, 244 the corresponding relative URL would be `/<project_name>/chrome/site/software-0.1.tar.gz`, 245 which in turn can be written as `htdocs:software-0.1.tar.gz` (TracLinks syntax) or `[/<project_name>/chrome/site/software-0.1.tar.gz]` (relative link syntax). 246 247 === Using tracd behind a proxy 248 249 In some situations when you choose to use tracd behind Apache or another web server. 250 251 In this situation, you might experience issues with redirects, like being redirected to URLs with the wrong host or protocol. In this case (and only in this case), setting the `[trac] use_base_url_for_redirect` to `true` can help, as this will force Trac to use the value of `[trac] base_url` for doing the redirects. 252 253 If you're using the AJP protocol to connect with `tracd` (which is possible if you have flup installed), then you might experience problems with double quoting. Consider adding the `--unquote` parameter. 254 255 See also [trac:TracOnWindowsIisAjp], [trac:TracNginxRecipe]. 256 257 === Authentication for tracd behind a proxy 258 It is convenient to provide central external authentication to your tracd instances, instead of using `--basic-auth`. There is some discussion about this in [trac:#9206]. 259 260 Below is example configuration based on Apache 2.2, mod_proxy, mod_authnz_ldap. 261 262 First we bring tracd into Apache's location namespace. 263 264 {{{#!apache 265 <Location /project/proxified> 266 Require ldap-group cn=somegroup, ou=Groups,dc=domain.com 267 Require ldap-user somespecificusertoo 268 ProxyPass http://localhost:8101/project/proxified/ 269 # Turns out we don't really need complicated RewriteRules here at all 270 RequestHeader set REMOTE_USER %{REMOTE_USER}s 271 </Location> 272 }}} 273 274 Then we need a single file plugin to recognize HTTP_REMOTE_USER header as valid authentication source. HTTP headers like '''HTTP_FOO_BAR''' will get converted to '''Foo-Bar''' during processing. Name it something like '''remote-user-auth.py''' and drop it into '''proxified/plugins''' directory: 275 {{{#!python 276 from trac.core import * 277 from trac.config import BoolOption 278 from trac.web.api import IAuthenticator 279 280 class MyRemoteUserAuthenticator(Component): 281 282 implements(IAuthenticator) 283 284 obey_remote_user_header = BoolOption('trac', 'obey_remote_user_header', 'false', 285 """Whether the 'Remote-User:' HTTP header is to be trusted for user logins 286 (''since ??.??').""") 287 288 def authenticate(self, req): 289 if self.obey_remote_user_header and req.get_header('Remote-User'): 290 return req.get_header('Remote-User') 291 return None 292 293 }}} 294 295 Add this new parameter to your TracIni: 296 {{{#!ini 297 [trac] 298 ... 299 obey_remote_user_header = true 300 ... 301 }}} 302 303 Run tracd: 304 {{{#!sh 305 tracd -p 8101 -r -s proxified --base-path=/project/proxified 306 }}} 307 308 Note that if you want to install this plugin for all projects, you have to put it in your [TracPlugins#Plugindiscovery global plugins_dir] and enable it in your global trac.ini. 309 310 Global config (e.g. `/srv/trac/conf/trac.ini`): 311 {{{#!ini 312 [components] 313 remote-user-auth.* = enabled 314 [inherit] 315 plugins_dir = /srv/trac/plugins 316 [trac] 317 obey_remote_user_header = true 318 }}} 319 320 Environment config (e.g. `/srv/trac/envs/myenv`): 321 {{{#!ini 322 [inherit] 323 file = /srv/trac/conf/trac.ini 324 }}} 325 326 === Serving a different base path than / 327 Tracd supports serving projects with different base urls than /<project>. The parameter name to change this is 328 {{{#!sh 329 $ tracd --base-path=/some/path 330 }}} 331 332 ---- 333 See also: TracInstall, TracCgi, TracModPython, TracGuide, [trac:TracOnWindowsStandalone#RunningTracdasservice Running tracd.exe as a Windows service] -
wiki/pages/TracSupport
r40534 r40542 1 = Trac Support = 2 3 Like in most [http://www.opensource.org/ open source projects], Trac support is available primarily through the [trac:MailingList mailing list] and the [trac: project wiki]. Both are maintained by the trac community. The [trac: project wiki] is the authoritative source for the TracGuide, consisting of the administrator and user guides for Trac. 4 5 There is also an [trac:IrcChannel IRC channel] where online users can help out. Much of the 'live' development discussions also happen there. 6 7 Before you start a new support query, make sure you have done the appropriate searching: 8 * in the project's [trac:TracFaq FAQ] 9 * in past messages to the [http://groups.google.com/group/trac-users Trac Users Mailing List] 10 * in the Trac ticket system, using either a [trac:search:?q=&ticket=on&wiki=on full search] or a [trac:query: ticket query]. 11 12 Please '''don't''' create a ticket in trac.egdewall.org to ask a Trac support question. Only use it when you face a ''real'' and ''new'' bug in Trac, and do so only after having read the [trac:NewTicketGuidelines NewTicketGuidelines]. The more a bug report or enhancement request complies with those guidelines, the higher the chances are that it will be fixed or implemented promptly! 13 14 ---- 15 See also: [trac:MailingList], [trac:TracTroubleshooting], [trac:CommercialServices] -
wiki/pages/nl/EPG-Search
r40540 r40542 1 [[TranslatedPages]] 2 >---- 3 >'''3.1.4 EPG Search''' [=#point3.1.4] ([wiki:Interface-Operation#point3.1 Records and EPG(Back)]) ([wiki:Wiki#point0 Contents]) ([WikiStart#point0 Main page]) 4 > 5 > 6 >[[Image(source:/wiki/Wiki-Pictures/NL/Epg_Search.jpg)]][[BR]] 7 > 8 EPG Search is where you can search the EPG title, discription genra for specific keywords to search for programs to set up Recordings. 9 10 [[br]] 11 12 '''Coloured and Extra Button's Functions" 13 14 The __"Coloured and Extra Buttons"__ along the bottom of the display bring up additional menus and options with in the Search EPG menu. 15 please see below for more info on the functions of these buttons:. 16 17 ||'''Red Button: (Timer)''' ||This will bring up the recording timer menu to set up a timer.|| 18 ||'''Green Button: (Title)''' ||This will search the EPG title string for text you specify and bring up a list of matches where you may press the red button to set up a timer.|| 19 ||'''Yellow Button: (Discription)''' ||This will search the EPG Discription string for text you specify and bring up a list of matches where you may press the red button to set up a timer.|| 20 ||'''Blue Button: (All)''' ||This will search all EPG string for text you specify and bring up a list of matches where you may press the red button to set up a timer.|| 21 ||'''Menu (Genre):''' ||This will search the EPG Genre string for text you specify and bring up a list of matches where you may press the red button to set up a timer.|| 22 23 For information on setting up a timer Recording using the red button see ([WikiStart#point103.10.6 Records]) for more info. -
wiki/pages/nl/EPG-Settings
r40540 r40542 1 [[TranslatedPages]] 2 >---- 3 >'''3.6.11 EPG Settings''' [=#point3.6.11] ([wiki:Interface-Operation#point3.6 Settings (Back)])([wiki:Wiki#point0 Contents]) ([WikiStart#point0 Main page]) 4 > 5 >Menu Picture place holder: 6 > 7 >[[Image(source:/wiki/Wiki-Pictures/NL/EPG_Settings.jpg)]][[BR]] 8 > 9 >Here you can change your epg settings. 10 11 [[br]] 12 13 14 ||'''EPG Path''' ||Set to any Path you want where the EPG File should be stored (on Receivers with little Memory it is strongly recommended to extend it by using a USB Pen-Drive or Harddisk)|| 15 ||'''How Many Days:''' ||The Number of Days in Advance of the EPG to store (I recommend no higher than 8 Days)|| 16 ||'''Delete EPG after read:''' ||Do you want the EPG file to be deleted after being read.|| 17 ||'''EPG Save Mode:''' ||When should the EPG Data be stored to the storage medium. Caution: Should you not use a Pen Drive or Harddisk for EPG Storage set to Never, as Receivers with little Memory on Board tend to crash due to Insufficient free space.|| 18 ||'''Show EPG Screen (EPG Button):''' ||Which EPG format should be shown on EPG Key-press on the Remote.|| 19 ||'''EPG Free Space (kb):''' ||Total of minimal Free Memory that should be kept on the medium where the epg is stored to aviod free space errors.|| 20 ||'''EPG List Mode:''' ||What Channels should be scanned in the background (Only for twin Receivers) for EPG (scan)(whitelist) (scanlist and whitelist) (deactivate (disable scan)).|| 21 ||'''EPG Scan Time:''' ||Here you can set the time of the automatic EPG scan. The Scan will be performed every Day at that set time. Should the Receiver be in Deep Stand-by it will "wake up" aprox. 5 Minutes before the scan is due to start.|| 22 ||'''EPG Button in EPG:''' ||Behavior of the EPG Button during EPG display.|| 23 ||'''Grafic EPG Zoom:''' ||Sets the zoom level of the EPG to show more or less of a time span of the shown programs.|| 24 ||'''Grafic EPG Picons:''' ||Set to yes to use picons or the alternative Picon sets in the infobar and EPG stored in /var/media/autofs/sda1/swapextensions/usr/local/share/titan/picons/ directory.|| 25 ||'''Delete EPG Before Scan:''' ||Should the EPG be deleted before a the timed scan.|| 26 ||'''After EPG Scan:''' ||Behavior after the EPG scan is completed EPG scan: Nothing (Stand-By) or Switch Off (Deep Stand-By).|| 27 ||'''MHW EPG:''' ||Scan for a Media Highway EPG stream during EPG scan.|| 28 ||'''MHW2 EPG:''' ||Scan for a Media Highway version 2 EPG stream during EPG scan.|| 29 ||'''OpenTV EPG:''' ||Scan for an OpenTV EPG stream during EPG scan.|| 30 31 To __"Store"__ the settings Exit from the EPG Settings Menu by pressing __"OK"__ or press __"Exit"__ to cancel changes. 32 33 [[br]] 34 ---- 35 36 '''Coloured Button's Functions" 37 38 The __"Coloured Buttons"__ along the bottom of the display bring up additional menus and options with in the epg settings menu. 39 please see below for more info on the functions of these buttons:. 40 41 ||'''Red Button: (EPG Reset)''' ||This will reset the saved epg removing all program data.|| 42 ||'''Green Button: (Edit)''' ||On a customisable item this will bring up editor to edit a value or text string.|| 43 ||'''Yellow Button: (Scanlist)''' ||Brings up the epg scan list and you may from there add aditional boquets to be scaned during an epg scan.|| 44 ||'''Blue Button: (log)''' ||This will show you the past scan log history for the epg.|| 45 -
wiki/pages/nl/EPG-Short-View
r40540 r40542 1 [[TranslatedPages]] 2 >---- 3 >'''3.1.1 EPG Short View''' [=#point3.1.1] ([wiki:Interface-Operation#point3.1 Records and EPG(Back)]) ([wiki:Wiki#point0 Contents]) ([WikiStart#point0 Main page]) 4 5 > 6 > 7 >[[Image(source:/wiki/Wiki-Pictures/NL/EPG_Short_View.jpg)]][[BR]] 8 > 9 10 EPG Short View is a small easy to read horozontal epg of the current displayed channel including the infomation on the program you may scroll using the direction arrows to a future time. 11 [[br]] -
wiki/pages/nl/External-Software
r40540 r40542 1 [[TranslatedPages]] 2 ---- 3 '''9 External Software''' [=#point9] ([wiki:Wiki#point0 Contents]) ([WikiStart#point0 Main page]) 4 ---- 5 6 External Software is a collection of tools to supplement TitanNit. 7 8 This is a list of applications that can be use with or for to manipulate or control your Receiver. 9 [[br]] 10 Below is a list of external applications please select a link below for more information. 11 12 13 14 {{{#!div style="width: 1100px; margin: auto" 15 {{{#!table style="border: none" 16 {{{#!td align=center valign=top style="border: none; font-size: 115%" 17 {{{#!div style="float: left" 18 [[Image(source:/wiki/Wiki-Pictures/Common/Icons/External-Software/TiMote.png,align=left,link=[wiki:External-Software-TiMote#point9.1 9.1 TiMote (Android)])]] 19 }}} 20 '''[wiki:External-Software-TiMote#point9.1 9.1 TiMote (Android)]'''[[br]] 21 {{{#!div style="float: left 22 Timote is an andriod application for streaming and control of TitanNit 23 }}} 24 }}} 25 {{{#!td align=center valign=top style="border: none; font-size: 115%" 26 {{{#!div style="float: left" 27 [[Image(source:/wiki/Wiki-Pictures/Common/Icons/External-Software/TiView.png,align=left,link=[wiki:External-Software-TiView#point9.2 9.2 TiView (PC)])]] 28 }}} 29 '''[wiki:External-Software-TiView#point9.2 9.2 TiView (PC)]'''[[br]] 30 {{{#!div style="float: left 31 TiView is an PC application for streaming and control of TitanNit 32 }}} 33 }}} 34 {{{#!td align=center valign=top style="border: none; font-size: 115%" 35 {{{#!div style="float: left" 36 [[Image(source:/wiki/Wiki-Pictures/Common/Icons/External-Software/SatChannelListEditor.png,align=left,link=[wiki:External-Software-SatChannelListEditor#point9.3 9.3 SatChannelListEditor])]] 37 }}} 38 '''[wiki:External-Software-SatChannelListEditor#point9.3 9.3 SatChannelListEditor]'''[[br]] 39 {{{#!div style="float: left 40 SatChannelListEditor is an PC application for manipulation of your TitanNit channel data. 41 }}} 42 }}} 43 |---- 44 {{{#!td align=center valign=top style="border: none; font-size: 115%" 45 {{{#!div style="float: left" 46 [[Image(source:/wiki/Wiki-Pictures/Common/Icons/External-Software/E2WebIFAPI.png,align=left,link=[wiki:External-Software-E2WebIfAPI#point9.4 9.4 E2WebIfAPI])]] 47 }}} 48 '''[wiki:External-Software-E2WebIfAPI#point9.4 9.4 E2WebIfAPI]'''[[br]] 49 {{{#!div style="float: left 50 E2WebIfAPI is an console application to support the dreambox xml web interface commands. 51 }}} 52 }}} 53 {{{#!td align=center valign=top style="border: none; font-size: 115%" 54 {{{#!div style="float: left" 55 [[Image(source:/wiki/Wiki-Pictures/Common/Icons/External-Software/TitanEditor.png,align=left,link=[wiki:External-Software-TitanEditor#point9.5 9.5 TitanEditor])]] 56 }}} 57 '''[wiki:External-Software-TitanEditor#point9.5 9.5 TitanEditor]'''[[br]] 58 {{{#!div style="float: left 59 TitanEditor is an PC application for manipulation of dreambox channel data to work on of your TitanNit Receiver. 60 }}} 61 }}} 62 {{{#!td align=center valign=top style="border: none; font-size: 115%" 63 {{{#!div style="float: left" 64 [[Image(source:/wiki/Wiki-Pictures/Common/Icons/External-Software/TitanNitLanguageEditor.png,align=left,link=[wiki:External-Software-TitanNitLanguageEditor#point9.6 9.6 TitanNitLanguageEditor])]] 65 }}} 66 '''[wiki:External-Software-TitanNitLanguageEditor#point9.6 9.6 TitanNitLanguageEditor]'''[[br]] 67 {{{#!div style="float: left 68 TitanLanguageEditor is an PC application for editing GUI language translations. 69 }}} 70 }}} 71 }}} 72 }}} -
wiki/pages/nl/External-Software-E2WebIfAPI
r40540 r40542 1 [[TranslatedPages]] 2 '''9.4 E2WebIfAPI''' [=#point9.4] ([wiki:Wiki#point0 Contents]) ([WikiStart#point0 Main page]) 3 4 5 == Introduction == 6 Enigma2 Web Interface ( WebIf ) API was defined for Dreambox . 7 It is a protocol that allows you to control a Dreambox via HTTP requests. 8 9 Typical control tasks are : 10 11 * Programming (timer) and playing back recordings 12 * Live streaming (TV and radio) 13 * EPG functions (display, search) 14 * Remote control (Remote Control) 15 16 You can find a good overview of the E2WebIFAPI in the [http://dream.reichholf.net/wiki/Enigma2:WebInterface DreamboxWIKI]. 17 18 == Motivation == 19 20 For TitanNit the Android App [wiki:External-Software-TiMote#point109.1 9.1 TiMote] was developed. Anybody with an Android Smart-Phone or Tablet with this software installed can control their receiver or watch TV on the Android device. Isn't that cool? 21 22 But owners of an iOS-device (i-Phone or i-Pad) are unlucky as there is no iOS TitanNit compatable web client such as TiMote. You can control your receiver via http protocol (same as Web Interface) but you wont be able to use all advantages like tiMote on an Android Platform. 23 24 On the other hand iOS and Android Apps already exist for Dreambox receivers. These Apps are based on the Enigma2 protocol. Couldn't one just use that App on iOS instead of developing a new App? 25 26 == The solution == 27 TitanNit has its own protocol but is not compatible to the Enigma2 WebIf. Following a short analysis it was discovered that converting E2 requests to Titan didn't seem so difficult. Therefore, an E2 web server (e2webserv) was developed, which implements the Enigma2 WebIf. This server receives the E2 requests, delegates the calls to TitanNit web server and the responses is converted back into the XML format, which is expected from the E2 client. 28 29 This way the TitanNit receiver is able to correspond to existing E2 - client software. 30 31 32 == Requirements == 33 34 * The Web server must be enabled on the receiver 35 * The E2webserv must be installed on the receiver 36 37 == IOS Apps == 38 39 The following apps are installed on my iPad2: 40 * dreaMote 41 * DreaMote Lite 42 * e2RemoteHD 43 * Dreambox Live 44 45 Should you not want to purchase any apps from the Apps-Store I can recommend dreaMote Lite . 46 47 In addition to the app you need a player. 48 49 I have tried the following players, which work well for me: 50 * Good Player 51 * BUZZ Player 52 * OPlayerHD Lite 53 * VLC Player 54 55 VLC and OPlayerHD Lite are free. 56 57 == XBMC == 58 59 If you are running the Media Center software [http://xbmc.org/ XBMC] or [http://xbmc4xbox.org.uk/ XBMC4XBOX], you can connect your Titan receiver via the Live-TV-Plugin VU+. 60 XBMC runs on Windows PCs aswell as Linux and is also available for Raspberry Pi and the Xbox. 61 62 == VLC == 63 Having installed the e2webserv you can enjoy Live-Streaming on your Windows or Linux PC using [http://www.videolan.org/vlc/ VLC] (no further software needed). 64 65 You do not have to switch channels manually it all happens automatically. In order for this to take place you need an M3U playlist. You can easily generate the playlist by your Favourites and save to your PC. Having done so you only need to open the M3U list in VLC and select the desired channel. 66 67 How do you export a particular favourites list into an M3U file? 68 69 Enter the address in your Web browser. 70 71 Example (favourite is "Polish"): 72 73 [http://192.168.1.1:8080/web/services.m3u?bRef=Polish] 74 75 Enter your receivers IP address and where names of Favourites have spaces within these spaces must be replaced with "%20". 76 77 Example (favourite is "My TV" Receiver - IP: 192.168.0.10): 78 79 [http://192.168.0.10:8080/web/services.m3u?bRef=Mein%20TV] 80 81 Client Configuration == == 82 Please configure the E2-clientas accordingly: 83 * IP address of the receiver 84 * Port: 8080 85 * Streaming Port: 8001 86 87 Please note that SSL is not supported. 88 89 Below you see an example configuration for dreaMote. 90 91 [[Image(DreaMote.png,384px)]] 92 93 == E2webserv.conf == 94 95 You must alter the server configuration manually. Using standard configured TitanNit no alterration on the e2webserv.conf should be neccessary. 96 97 Should you have installed the plugin to Flash the configuration file '''e2webserv.conf''' lies in the directory '''/mnt/swapextensions/etc''' 98 99 Here is the content: 100 {{{ 101 # E2 web port 102 port = 8080 103 # E2 data port 104 data port = 8001 105 # Titan web port 106 titanium- port = 80 107 # Titan data port 108 titan data port = 22222 109 # Titan host (change it if e2webserv is not running locally on the receiver) 110 titan host = 127.0.0.1 111 # Automatic switching of channels 112 # It is useful if you do not want manually switch a channel on receiver with a single tuner. 113 # If it is set to false and you have a single tuner you can stream the only channels located 114 # On the same transponder as the current channel active on the receiver . 115 Autozap = true 116 # Log output file 117 logFile = /tmp/e2webserv.log 118 # Maximum log file size in KB. Set it to 0 (default 10KB) to disable logging (maximum allowed value is 1024). 119 # When the file limit is reached a backup of the current file is created . 120 # It Means maximally 2 x MaxLogSize KB will be used. 121 MaxLogSize = 10 122 # Thread pool size (1 through 8) 123 threadpool = 2 124 # Directory where the transponder and bouquet files are located. 125 # You do not need to Specify it, it will be Automatically Discovered . 126 # But if you you start e2webserv not on the receiver (but eg on your Linux server or Windows computer) then you 127 # Shoulderstand copy the settings (channel, transponder, provider and all bouquets file) and here Specify the location on the local computer . 128 titanDir = /mnt/settings 129 }}} 130 131 == Links == 132 133 * Enigma2 Web API in [http://www.aaf-digital.info/forum/showthread.php?90948-Enigma2-Web-API-f % FCr - TitanNit AAF Forum] 134 * Sources on [https://github.com/gswiatek/e2api4titan GitHub] 135 [[br]] 136 [[br]] -
wiki/pages/nl/External-Software-SatChannelListEditor
r40540 r40542 1 [[TranslatedPages]] 2 '''9.3 SatChannelListEditor''' [=#point9.3] ([wiki:Wiki#point0 Contents]) ([WikiStart#point0 Main page]) 3 4 This manual applies to version 5.4 of SatChannelListEditor (SCLE). In future releases,[[br]] 5 possibly new features will be added, making the screen shots of this program obsolete. 6 7 == Requirements == 8 SCLE has been programmed for the runtime environment " Microsoft. NET Framework ".[[br]] 9 Currently .NET Framework version 2.0 or higher is required. 10 11 ( also take a look at [http://en.wikipedia.org/wiki/.NET_Framework Wikipedia article . NET Framework] ) 12 13 == Windows == 14 * In Windows XP .NET Framework version 2.0, 3.0 or 3.5 must be installed.[[br]] 15 (3.0 and 3.5 are extended versions include version 2.0) 16 * For Windows Vista and Windows 7 the .NET Framework librarys are implemented[[br]] 17 in the operating system and do not need to be installed seperately. 18 * In Windows 8 .NET Framework 3.5 must be installed. As Windows 8 by default,[[br]] 19 only includes .NET framework 4.5, which is not compatible with SCLE 20 == Linux == 21 In Linux, the Mono framework is required (see [http://en.wikipedia.org/wiki/Mono_(software)Wikipedia article about Mono project]) . 22 [[BR]] You may have to install WinForms libraries manually with "apt -get install libmono- winforms * " 23 [[BR]] You may then run SCLE from the command line with the command "mono SatChannelListEditor.exe ". 24 25 == Mac OS == 26 In Mac OS , just like Linux, the Mono-Framework is required to to run SCLE. 27 28 == The first startup == 29 After the first startup of SCLE the language is set to English and the receiver[[br]] 30 model " UFS -821 " is selected. You now have to set the language and your[[br]] 31 Receiver model to suite your receiver. 32 33 Select the receiver and its System you like to manage. 34 35 == Setting the receiver model and type of operating system == 36 Select the menu under " Options ", select " Settings" : 37 38 [[Image(source:/wiki/Wiki-Pictures/NL/SCLE/3.png)]] 39 40 Select Titan in the window that appears as the receiver you wish to connect to: 41 42 [[Image(source:/wiki/Wiki-Pictures/NL/SCLE/4.png)]] 43 44 After selecting the reciever type under the option " Titan " set the IP address of your Receiver, before[[br]] 45 you close the window confirm the settings by clicking the OK button.[[br]] 46 The other settings on this page should not be changed. 47 48 [[Image(source:/wiki/Wiki-Pictures/NL/SCLE/5.png)]] 49 50 == Download and upload the channel list == 51 52 After the Receiver model and the IP address have been set, you can fetch the channel[[br]] 53 list from your Receiver (Download) and after processing send it back to the Receiver (upload). 54 [[BR]] Use the Buttons in the Menubar of SCLE or in the Drop-down Menu: 55 56 [[Image(source:/wiki/Wiki-Pictures/NL/SCLE/6.png)]] 57 58 [[Image(source:/wiki/Wiki-Pictures/NL/SCLE/7.png)]] 59 60 When you start an upload or download the program will automatically change to[[br]] 61 the message window where status messages are displayed for file transfer. 62 63 == Edit the channel list == 64 65 == Favourites == 66 67 All TV and Radio channels are displayed in the tab "TV" and "Radio" in the main window[[br]] 68 of SCLE. Normally there are several hundreds or thousands of channels in this list. 69 [[BR]] To simplify navigation on your Receiver you may add the channels to more than one Favourites list.[[br]] 70 The Favourites also determine the channel number for easier and direct access with your remote control. 71 [[BR]] Create new favourites by clicking the right mouse button within the tree of favourites: 72 73 [[Image(source:/wiki/Wiki-Pictures/NL/SCLE/8.png)]] 74 75 After creating the new Favourites entry assign the desired Name: 76 77 [[Image(source:/wiki/Wiki-Pictures/NL/SCLE/9.png)]] 78 79 You may now add channels to your favourites by drag & drop of the channels[[br]] 80 onto the Favourites entry or by clicking the right mouse button on the desired channel[[br]] 81 and selecting Add to Favourites and selecting the Favourites Entry from the drop-down-menu: 82 83 [[Image(source:/wiki/Wiki-Pictures/NL/SCLE/10.png)]] 84 85 Once a channel has been added to the favourites, a channel number is assigned.[[br]] 86 The first channel in the first favourites is channel number 1: 87 88 [[Image(source:/wiki/Wiki-Pictures/NL/SCLE/11.png)]] 89 90 When a channel is assigned to more than one favourites list, it additionally[[br]] 91 obtains further channel numbers: 92 93 [[Image(source:/wiki/Wiki-Pictures/NL/SCLE/12.png)]] 94 95 === EPG favourite "EPG scan " === 96 97 For TV channels there is a special favourite called "EPG scan".[[br]] 98 Copy all channels you want to be included for the timed EPG scan, all channels in this list[[br]] 99 will have their epg automatically scaned. 100 101 [[Image(source:/wiki/Wiki-Pictures/NL/SCLE/13.png)]] 102 103 === Satellite === 104 Creating and Editing Satellite entrys 105 Switch to the "Satellite" tab. After clicking the right mouse button the[[br]] 106 drop-down-menu is displayed, where you can create a new Satellite or edit an existing one.[[br]] 107 Double - clicking on an existing Satellite also opens this for editing. 108 109 [[Image(source:/wiki/Wiki-Pictures/NL/SCLE/14.png)]] 110 111 [[Image(source:/wiki/Wiki-Pictures/NL/SCLE/15.png)]] 112 113 === Creating and Editing Transponders === 114 115 Switch to the "Transponder" tab. After clicking the right mouse button the drop-down-menu[[br]] 116 is displayed, where you can create a new Transponder or edit an existing one.[[br]] 117 Double - clicking on an existing Transponder also opens this for editing. 118 119 [[Image(source:/wiki/Wiki-Pictures/NL/SCLE/16.png)]] 120 121 [[Image(source:/wiki/Wiki-Pictures/NL/SCLE/17.png)]] 122 123 === Creating and Editing Channels === 124 Switch to the tab "TV" or "Radio". After clicking the right mouse button the drop-down-menu[[br]] 125 is displayed, where you can create a new channel or edit an existing one.[[br]] 126 Double - clicking on an existing channel also opens this for editing. 127 128 [[Image(source:/wiki/Wiki-Pictures/NL/SCLE/18.png)]] 129 130 [[Image(source:/wiki/Wiki-Pictures/NL/SCLE/19.png)]] 131 132 === Using receiver profiles === 133 134 If you have more than one Receiver, it is advisable to work with profiles.[[br]] 135 Go to the settings and enable the checkbox "Use Receiver Profiles": 136 137 [[Image(source:/wiki/Wiki-Pictures/NL/SCLE/20.png)]] 138 139 Enter a name for the profile, and click the "Save" button.[[br]] 140 The profile will be created with the current settings specified under the "Titan" tab. 141 [[BR]] To create a profile for a second titan receiver, switch to the "Titan" tab,[[br]] 142 enter the IP address of the second receiver, switch back to the "General" tab,[[br]] 143 enter a new profile name and click on "Save" once again. 144 145 When you close the settings window by clicking the -OK-button- You will now[[br]] 146 discover the new selection menu where you may choose your Receiver profile. 147 148 [[Image(source:/wiki/Wiki-Pictures/NL/SCLE/21.png)]] -
wiki/pages/nl/External-Software-TiMote
r40540 r40542 1 [[TranslatedPages]] 2 ---- 3 '''9.1 TiMote''' [=#point9.1] ([wiki:Wiki#point0 Contents]) ([WikiStart#point0 Main page]) 4 ---- 5 6 [[br]] 7 8 Timote is a universal remote control for Linux-based receivers. 9 Currently (Atemio) TitanNit, Enigma2 and Neutrino are supported. 10 please note that screen shots were taken from TiMote version xxx future versions of TiMote could make these screenshots invalid. 11 12 Features: 13 - Bouquets / Favorites 14 - Show EPG 15 - EPG search (*) 16 - Show the current station 17 - View recordings, stream and delete (*) 18 - Create, edit and delete timer 19 - Satfinder (*) 20 - Power Control 21 - Virtual Remote 22 - News 23 (*) Only Titannit/E2 24 25 To stream an appropriate player, for example, MX Player, VPlayer or BSPlayer (lite) need to be installed. 26 If the app crashes, please activate the "send error report automatically" in the Settings. you can 27 thereby help improve the software and make troubleshooting easier crucial to the developer. 28 Comments, questions, suggestions or requests? Write me an email or post a comment on the app homepage! 29 appear 30 31 [[br]] 32 33 [[Image(http://www.android.com/images/brand/get_it_on_play_logo_large.png)]] 34 [[br]] 35 [https://play.google.com/store/apps/details?id=eu.azato.timote PlayStore] 36 37 [[br]] 38 When you open up Timote You are presented with the main interface along the top of the display the radio buttons are used as the menu of Timote [[br]] 39 See below for more information. 40 41 '''Main''' [[br]] 42 [[Image(source:/wiki/Wiki-Pictures/NL/TiMote/Main.png)]] 43 44 Main contains a list of the main functions of timote: 45 46 ||'''([wiki:External-Software-TiMote-TV#point0 TV]) ''' ||This will bring up a list of Boquets on the reciever).|| 47 ||'''([wiki:External-Software-TiMote-On-air#point0 On-air]) ''' ||This will Bring up the information of the TV channel currently displaying on the Reciever|| 48 ||'''([wiki:External-Software-TiMote-Movies#point0 Movies]) ''' ||This will bring up the Movielist's stored on the reciever).|| 49 ||'''([wiki:External-Software-TiMote-Timer#point0 Timer]) ''' ||This will bring up a list of the current timer recordings on the reciever).|| 50 ||'''([wiki:External-Software-TiMote-EPG-Search#point0 EPG-Search]) ''' ||This will bring up a a search page to search the EPG for a specific keyword).|| 51 52 [[br]] 53 54 '''Misc''' [[br]] 55 [[Image(source:/wiki/Wiki-Pictures/NL/TiMote/Misc.png)]] 56 57 Misc contains a list of other functions of TiMote: 58 59 ||'''([wiki:External-Software-TiMote-Signal-Finder#point0 Signal-Finder]) ''' ||This will bring up the signal info's of the current displayed channel.|| 60 ||'''([wiki:External-Software-TiMote-Screenshot#point9.1.1 Screenshot]) ''' ||This will take a screen shot of the TV Display|| 61 ||'''([wiki:External-Software-TiMote-Remote#point9.1.2 Remote]) ''' ||This will bring up the on screen remote).|| 62 ||'''([wiki:External-Software-TiMote-Message#point9.1.3 Message]) ''' ||This can be used to send messages to the TV display).|| 63 ||'''([wiki:External-Software-TiMote-Power-Menu#point9.1.4 Power Menu]) ''' ||This will bring up the power control menu 64 ||'''([wiki:External-Software-TiMote-RGui#point9.1.5 RGui]) ''' ||This will start the RGui engine|| 65 ||'''([wiki:External-Software-TiMote-LCD-Mode#point9.1.6 LCD Mode]) ''' ||???|| 66 ||'''([wiki:External-Software-TiMote-Power-About#point09.1.7 Power About]) ''' ||This will bring up information on the developers of TiMote).|| 67 68 '''Profiles''' [[br]] 69 [[Image(source:/wiki/Wiki-Pictures/NL/TiMote/Profile.png)]] 70 71 Profiles is a list of receiver profiles with the ability to select and control multiple receivers. 72 you may create a new profile using the add button at the top of the display. 73 74 75 ---- 76 Temp data to move to Individual pages 77 78 79 [[Image(source:/wiki/Wiki-Pictures/NL/TiMote/Stream.png)]] 80 81 [[Image(source:/wiki/Wiki-Pictures/NL/TiMote/Boquet.png)]] 82 83 84 -
wiki/pages/nl/External-Software-TiView
r40540 r40542 1 [[TranslatedPages]] 2 ---- 3 '''9.2 TiView''' [=#point9.2] ([wiki:English-Wiki#point0 Contents]) ([WikiStart#point0 Main page]) 4 ---- 5 TiView is a Windows 32bit application, that will run on a Windows 32/64bit system.[[br]] 6 The Tool uses the HTTP-RAW-Api of TitanNit.[[br]] 7 [[br]] 8 ''Highlights of TiView'' 9 10 - *Output of the TV-Screen on your PC 11 - *Watch recordings on your PC 12 - *PiP function for 2 simultaneous TV-Stream or recording viewing on your PC 13 - *Proxy function for external access from a remote TiView and streaming a recoded stream 14 - Management of timers for recordings 15 - Infobar with progress bar for the actual program 16 - Picon-view in the Infobar(Enabled by adding the picons into the folder /picons in TiView) 17 - Channel EPG 18 - Multi EPG 19 - Grafical Multi EPG 20 - EPG Search 21 - Overview of recordings 22 - Manage profiles should one have more than one Receiver 23 - Signal-Monitor 24 - Send Messages to your Receiver 25 - OSD-Screenshot 26 '''*For Playback on your PC you need a compatable media player the 32bit version 2.x of VLC Player .'''[[br]] 27 (Alternativly you can copy libvlc.dll, libvlccore.dll and the Plugins folder from VLC into the TiView folder) -
wiki/pages/nl/External-Software-TitanEditor
r40540 r40542 1 [[TranslatedPages]] 2 '''9.5 TitanEditor''' [=#point19.5] ([wiki:Wiki#point0 Contents]) ([WikiStart#point0 Main page]) 3 4 Titan editor is a simple channel list editor that is able to convert enigma channel data to be able to operate[[br]] 5 on a titan based receiver. It is also able to convert the filename from enigma 2 picons to the titan format. 6 7 This software is still beta status but the basic functions are working, there has been posts noted on the AAF Forum that[[br]] 8 converting picons in some instances comit an unhandled exception error causing the program to exit. 9 10 - convert E2 channel list's incl. bouquets (this will not work 100% for some channels) 11 - edit/delete and add Titan channels 12 - convert E2 picons to Titan picons 13 - manage bouquets 14 15 The current version of TitanEditor is version 0.15 and it may be downloaded from here [http://www.aaf-digital.info/forum/showthread.php?78014-TitanEditor-V0-15&p=802005&viewfull=1#post802005 titanEditor] 16 17 -
wiki/pages/nl/External-Software-TitanMote
r40540 r40542 1 [[TranslatedPages]] 2 ---- 3 '''9.1 TitanMote''' [=#point9.7] ([wiki:Wiki#point0 Contents]) ([WikiStart#point0 Main page]) 4 ---- 5 6 [[br]] 7 8 Titanmote is a universal remote control for Linux-based receivers. 9 Currently there is a little information we can provide reguarding this from the developer jagabongo. 10 11 ''Words from the developer:'' 12 ---- 13 I'm currently working on an iOS app for TitanNit . For this I would need a few beta testers . 14 15 The app will cost money later when development is finished and will be able to be purchased from the store, I will not releace it free because I have specially bought for this purpose a developer account and will take many hours of development, I also do not want the app to feature advertising. 16 17 requirements: 18 - IPhone or iPad with iOS > = 7.0 19 - A bit of technical understanding 20 - Lust for testing 21 22 A few recent screenshots : 23 https://www.dropbox.com/sh/armi0c3q72i350h/vm3szZDzvK 24 25 26 So in Version 1 I should be able to: 27 28 - Browse by bouquets / channel lists + See Epg info and switch Channels. 29 - Add timers on an event with the epg data. 30 - List all timer 31 - Delete Timer 32 - easy remote copy with touch buttons 33 - 2 profiles 34 - Everywhere pull to refresh . 35 - [ EDIT] Forgot , it will be multilingual or , DE, FR, IT and rest English. But languages are all relatively retrofitted without hazzle 36 37 Future features: 38 39 - User: Password WebIf Auth . ( hopefully not often used) 40 41 - Https support. ( Was I already am going to test with self-signed stuff but totally in the pants ... ) 42 43 - The stream to an iOS device is just not as easy as on Android that is why they first moved to the rear. 44 45 46 BETA testing runs like this: 47 48 * 1 You send with your UUID ( google iOS Device UUID to find out ) 49 50 * 2 Your you created an account at https://build.phonegap.com ( Free is sufficient). 51 52 * 3 You share me with your UUID and email phonegap.build accounts. 53 54 When that's done you can you log on your mobile Safari in build.phonegap.com and always install it there through the browser to the latest build. (OTA Installation). 55 56 This is perfectly legal and possible even without jailbreak. 57 58 59 if you are intreseed in becomming a better tester please leave a message in the [[http://www.aaf-digital.info/forum/showthread.php?100699-iOS-TitanNit-iOS-App-!-titanMote-!-Tester-gesucht!&p=974748#post974748 | forum]]. -
wiki/pages/nl/External-Software-TitanNitLanguageEditor
r40540 r40542 1 [[TranslatedPages]] 2 ---- 3 '''9.6 TitanNit Language Editor''' [=#point9.6] ([wiki:Wiki#point0 Contents]) ([WikiStart#point0 Main page]) 4 ---- 5 6 The TitanNit Language Editor tool is used to provide translations files for devs to implement translations into the TitanNit gui. 7 8 === Made by Karlo === 9 10 German and English languages have been made and have been merged into svn. 11 To support future languages you can use this program to download the language base files from the svn for conversion it supports UTF-8 so special 12 chracters from various languages can be implemented. 13 14 Please check the [[http://www.aaf-digital.info/forum/showthread.php?98565-TitanNitLanguageEditor forum Link | main thread]] for the latest version, or the [#point9.6.7 Changelog]: 15 16 17 18 This program requires microsoft visual basic runtime files to operate. 19 20 Once you have made a Translation you may upload the translation po files to the aaf forum for implementation into TitanNit. 21 22 If you think you can help with a translation please do so at the end of this page there is information on ([#point9.6.5 Submission]). 23 24 25 [[br]] 26 27 ---- 28 '''Features''' ([wiki:Wiki#point0 Contents]) ([WikiStart#point0 Main page]) 29 ---- 30 31 * load po file from svn __"File/ Open Source (svn)"__ 32 * Import po file from svn or local as source __"File/ Import Titan.po"__ 33 * open local file as target__"File/ Open target (local)"__ 34 * save target file __"File/ Save Target"__ 35 * save target file as titan.po __"File/ Save titan.po"__ 36 * export msg string for external use __"File/ Export msgstr as Titan.po"__ 37 * Build reciever translation file __"File/ Build Titan.mo"__ 38 * export sourcefile to target __"Edit/ target.po -> target"__ 39 * view source target differences __"Edit/ diff target - titan.po"__ 40 41 [[br]] 42 43 ---- 44 '''Functions''' ([wiki:Wiki#point0 Contents]) ([WikiStart#point0 Main page]) 45 ---- 46 47 ''Select an item to view more info:'' 48 49 * ([#point9.6.1 Loading a translation from svn]) 50 * ([#point9.6.2 Loading a Translation from a local directory]) 51 * ([#point9.6.3 Import Translation from svn or local (Source/ Target Mode)]) 52 * ([#point9.6.4 Edit Translation]) 53 * ([#point9.6.5 Submission]) 54 * ([#point9.6.6 Local Testing]) 55 56 57 58 ---- 59 '''Loading a translation from svn''' [=#point9.6.1] ([wiki:Wiki#point0 Contents]) ([WikiStart#point0 Main page]) 60 ---- 61 62 To load a translation from the server SVN repo select the translation file from the menu: [[br]] 63 64 [[Image(source:/wiki/Wiki-Pictures/NL/TLE/open_server.jpg)]] [[br]] 65 66 it will then start downloading from the internet.[[br]] 67 68 [[Image(source:/wiki/Wiki-Pictures/NL/TLE/loading_server.jpg)]] [[br]] 69 70 [[br]] 71 ([#point9.6 Top of Page]) 72 [[br]] 73 74 ---- 75 '''Loading a Translation from a local directory''' [=#point9.6.2] ([wiki:Wiki#point0 Contents]) ([WikiStart#point0 Main page]) 76 ---- 77 78 To load a translation from the local directory select the translation file from the menu: [[br]] 79 80 [[Image(source:/wiki/Wiki-Pictures/NL/TLE/open_local.jpg)]] [[br]] 81 82 [[br]] 83 ([#point9.6 Top of Page]) 84 [[br]] 85 86 ---- 87 '''Import Translation from svn or local (Source/ Target Mode)'''[=#point9.6.3] ([wiki:Wiki#point0 Contents]) ([WikiStart#point0 Main page]) 88 ---- 89 90 To import a translation from svn or the local directory select the translation file from the menu: [[br]] 91 Note: for this to work a source file must be loaded first [[br]] 92 93 [[Image(source:/wiki/Wiki-Pictures/NL/TLE/import_file.jpg)]] [[br]] 94 95 [[br]] 96 97 you will then be dispalyed with this view to view the two po files along side each other: 98 99 [[Image(source:/wiki/Wiki-Pictures/NL/TLE/import_list_view.jpg)]] [[br]] 100 101 [[br]] 102 103 you can then select __"Edit/ diff target - titan.po"__ to view the source and target differences. 104 105 [[Image(source:/wiki/Wiki-Pictures/NL/TLE/diff_target.jpg)]] [[br]] 106 107 [[br]] 108 109 you can also automatically merge the source files to the target file by selecting __"Edit/ target.po -> target"__ 110 111 [[br]] 112 ([#point9.6 Top of Page]) 113 [[br]] 114 115 ---- 116 '''Edit Translation''' [=#point9.6.4] ([wiki:Wiki#point0 Contents]) ([WikiStart#point0 Main page]) 117 ---- 118 119 120 Now that it is loaded you may edit the msgid strings to suit your language and upload to the aaf forum. 121 you may use the buttons on the lower taskbar to search for strings you wish to edit.[[br]] 122 123 [[Image(source:/wiki/Wiki-Pictures/NL/TLE/edit.jpg)]] 124 125 [[br]] 126 ([#point9.6 Top of Page]) 127 [[br]] 128 129 ---- 130 '''Submission'''[=#point9.6.5] ([wiki:Wiki#point0 Contents]) ([WikiStart#point0 Main page]) 131 ---- 132 133 If you could submit your completed translation file into the thread below for comitting by the devs into svn. 134 135 please note that some translations may no be able to be imported into some receivers due to memory constarints. 136 137 [http://www.aaf-digital.info/forum/showthread.php?98565-TitanNitLanguageEditor forum Link] 138 139 [[br]] 140 ([#point9.6 Top of Page]) 141 [[br]] 142 143 ---- 144 '''Local Testing''' [=#point9.6.6] ([wiki:Wiki#point0 Contents]) ([WikiStart#point0 Main page]) 145 ---- 146 147 If you wish to install your modified language files into your reciever for testing you can so by exporting you file an a titan.mo file you can do this by selecting __"File/ Build Titan.mo"__ for this to work you need to install some aditional components in to the program directory. 148 149 To do this create a folder in the program directory called __"gettext"__ and extract the below files into that directory: 150 151 152 [http://ftp.informatik.rwth-aachen.de/ftp/pub/gnu/gettext/gettext-runtime-0.13.1.bin.woe32.zip gettext-runtime] [[br]] 153 [http://ftp.informatik.rwth-aachen.de/ftp/pub/gnu/libiconv/libiconv-1.9.1.bin.woe32.zip libiconv] [[br]] 154 [http://ftp.informatik.rwth-aachen.de/ftp/pub/gnu/gettext/gettext-tools-0.13.1.bin.woe32.zip gettext-tools] [[br]] 155 156 Once you have exported your titan.mo file you may ftp or manually copy it onto your Receiver to test it. 157 158 The file needs to go into the directory and a reboot neede to be proformed afterwards: '''/var/usr/local/share/titan/po/__??__/LC_MESSAGES/titan.mo)''' where __??__ is the language file you are editing. 159 160 ''Note: if you have trouble exporting the translation to a mo file place the program directory on the root of your harddisk it can some times fail if the program it too deep in the file system'' 161 162 [[br]] 163 ([#point9.6 Top of Page]) 164 [[br]] 165 166 ---- 167 '''Change log''' [=#point9.6.7] ([wiki:Wiki#point0 Contents]) ([WikiStart#point0 Main page]) 168 ---- 169 170 171 172 Version 0.7 : 173 * Loading and saving is now Uniformly in UTF- 8! Now special characters can be used from other languages. 174 175 Version 0.8 : 176 177 * minor changes 178 * 'Build titan.mo ' for more infomation see ([#point9.6.6 Local Testing]) 179 180 Version 0.8.1 : 181 * 1 Column now displays the line number of the msgid 182 * 'Build titan.mo ' - in case of error in a makeMo.cmd Prog -Dir is created at the (click ) is probably better to see what 's going on 183 * 'Edit / show only diff ' - same entries appear at msgid <> titan.po from 184 185 Version 0.8.2 : 186 * Fixed tooltip error 187 188 Version 0.9.0 : 189 * Fixed Error 13 - Thanks to Channel beta-testing 190 * 'Import 2 po file ' to load an alternate po -files 191 * ' titan.po -> Target' copied now empty fields Double entry copied by msgid 192 193 version 0.9.1 : 194 * svn version is displayed and saved as ' .... po.55555.svn ' 195 * thus can also be compared with an old ( stored ) version 196 197 [[br]] 198 ([#point9.6 Top of Page]) 199 [[br]] -
wiki/pages/nl/File-Browser
r40540 r40542 1 [[TranslatedPages]] 2 >---- 3 >'''3.2.5 File Browser''' [=#point3.2.5] ([wiki:Interface-Operation#point3.2 Media Center (Back)])([wiki:Wiki#point0 Contents]) ([WikiStart#point0 Main page]) 4 > 5 >Menu Picture place holder: 6 > 7 >[[Image(http://sbnc.dyndns.tv/trac/export/26462/wiki/Wiki-Pictures/NL/file_manager.jpg)]][[br]] 8 > 9 >Here you can browse files from any source available from your decoder (local or network) 10 > you may do such things as copy delete and move. 11 12 13 [[br]] -
wiki/pages/nl/Filesystem-Check
r40540 r40542 1 [[TranslatedPages]] 2 >---- 3 >'''3.5.5.1 File system Check''' [=#point3.5.5.1] ([WikiStart#point3.5 System (Back]) 4 > 5 > 6 >[[Image(source:/wiki/Wiki-Pictures/NL/Filesystem-Check.jpg)]][[br]] 7 > 8 Here you can format your harddisk select an item and follow the onscreen prompts. 9 10 [[br]] 11 12 13 14 15 [[BR]] -
wiki/pages/nl/Format-Hdd
r40540 r40542 1 [[TranslatedPages]] 2 >---- 3 >'''3.5.5 Hard Disk''' [=#point3.5.5] ([wiki:Interface-Operation#point3.5 system (Back)]) 4 > 5 > 6 >[[Image(source:/wiki/Wiki-Pictures/NL/Format-Hdd.jpg)]][[br]] 7 > 8 Here you can format your harddisk select an item and follow the onscreen prompts. 9 Note that you must enable ([wiki:Adjust#point3.6.7 Expertmode]) to show all available format options in this display. 10 11 [[br]] 12 13 14 15 16 [[BR]] -
wiki/pages/nl/Free-Space
r40540 r40542 1 [[TranslatedPages]] 2 >---- 3 >'''3.7.8.2 Free Space''' [=#point3.7.8.2] ([wiki:System-Info#point3.7.8 System Info (Back]) 4 > 5 > 6 >[[Image(source:/wiki/Wiki-Pictures/NL/Free-Space.jpg)]][[br]] 7 > 8 Here you can view the free space of all the file systems acessable from the decoder. 9 10 [[br]] 11 12 13 [[br]] -
wiki/pages/nl/Functions
r40540 r40542 1 [[TranslatedPages]] 2 3 ---- 4 '''2 Interface Elements''' [=#point2] ([wiki:Wiki#point0 Contents]) ([WikiStart#point0 Main page]) 5 ---- 6 [[br]] 7 This section will show the functions and controls of the various elements in the gui within TitanNit and discriptions to the various 8 items and their functions aswell as helpfull information and tricks to get the most possible experience with your Receiver. 9 10 Note: pictures in this area only apply to the default skin used in Titan. 11 If you do not see a specific menu item on the display please select the default skin from the menu as follows all the functions displayed below are implemented in all skins but some elements may be omitted from the display in some skins: 12 13 Press the __"Menu"__ button and select __"Settings"__ scroll down to __"Skin"__ and select the __"Default"__ Skin from the menu. 14 The decoder will then reboot with the new selected __Default__ skin. 15 16 ---- 17 {{{#!div style="width: 1100px; margin: auto" 18 {{{#!table style="border: none" 19 {{{#!td align=center valign=top style="border: none; font-size: 115%" 20 {{{#!div style="float: left" 21 [[Image(source:/wiki/Wiki-Pictures/Common/Icons/Functions/Infobar.png,align=left,link=[#point2.1])]] 22 }}} 23 '''[#point2.1 infobar]'''[[br]] 24 {{{#!div style="float: left 25 Default display when pressing the __Info__ button while watching TV. 26 }}} 27 }}} 28 {{{#!td align=center valign=top style="border: none; font-size: 115%" 29 {{{#!div style="float: left" 30 [[Image(source:/wiki/Wiki-Pictures/Common/Icons/Functions/playback_infobar.png,align=left,link=[wiki:History#point2.2 TitanNit Info])]] 31 }}} 32 '''[#point2.2 Playback infobar]'''[[br]] 33 {{{#!div style="float: left 34 Default display when pressing the __Info__ button while watching A recording or Media using the default player. 35 }}} 36 }}} 37 {{{#!td align=center valign=top style="border: none; font-size: 115%" 38 {{{#!div style="float: left" 39 [[Image(source:/wiki/Wiki-Pictures/Common/Icons/Functions/AudioTracks_infobar.png,align=left,link=[#point2.3])]] 40 }}} 41 '''[#point2.3 Audiotracks infobar]'''[[br]] 42 {{{#!div style="float: left 43 Default display when pressing the __Audio__ button while watching TV, A recording or Media using the default player. 44 }}} 45 }}} 46 |---- 47 {{{#!td align=center valign=top style="border: none; font-size: 115%" 48 {{{#!div style="float: left" 49 [[Image(source:/wiki/Wiki-Pictures/Common/Icons/Functions/Channel History.png,align=left,link=[#point2.4])]] 50 }}} 51 '''[#point2.4 Channel History]'''[[br]] 52 {{{#!div style="float: left 53 Default display when pressing the __Recall__ button while watching A recording or Media using the default player. 54 }}} 55 }}} 56 {{{#!td align=center valign=top style="border: none; font-size: 115%" 57 {{{#!div style="float: left" 58 [[Image(source:/wiki/Wiki-Pictures/Common/Icons/Functions/Sleep_Timer.png,align=left,link=[#point2.5])]] 59 }}} 60 '''[#point2.5 Sleep Timer]'''[[br]] 61 {{{#!div style="float: left 62 Default display when pressing the __Sleep_ button while the decoder is in operation. 63 }}} 64 }}} 65 {{{#!td align=center valign=top style="border: none; font-size: 115%" 66 {{{#!div style="float: left" 67 [[Image(source:/wiki/Wiki-Pictures/Common/Icons/Functions/Subtitle.png,align=left,link=[#point2.6])]] 68 }}} 69 '''[#point2.6 Subtitle]'''[[br]] 70 {{{#!div style="float: left 71 Default display when pressing the __Subtitle__ button while watching TV, A recording or Media using the default player. 72 }}} 73 }}} 74 |---- 75 {{{#!td align=center valign=top style="border: none; font-size: 115%" 76 {{{#!div style="float: left" 77 [[Image(source:/wiki/Wiki-Pictures/Common/Icons/Functions/EPG.png,align=left,link=[#point2.7])]] 78 }}} 79 '''[#point2.7 EPG]'''[[br]] 80 {{{#!div style="float: left 81 Default display when pressing the __EPG__ button while watching TV. 82 }}} 83 }}} 84 {{{#!td align=center valign=top style="border: none; font-size: 115%" 85 {{{#!div style="float: left" 86 [[Image(source:/wiki/Wiki-Pictures/Common/Icons/Functions/program_info.png,align=left,link=[#point2.8])]] 87 }}} 88 '''[#point2.8 Program Info]'''[[br]] 89 {{{#!div style="float: left 90 Default display when pressing the __Info__ button while viewing the EPG. 91 }}} 92 }}} 93 {{{#!td align=center valign=top style="border: none; font-size: 115%" 94 {{{#!div style="float: left" 95 [[Image(source:/wiki/Wiki-Pictures/Common/Icons/Functions/player.png,align=left,link=[#point2.9])]] 96 }}} 97 '''[#point2.9 Player]'''[[br]] 98 {{{#!div style="float: left 99 Default display when pressing the __Play_ button. 100 }}} 101 }}} 102 |---- 103 {{{#!td align=center valign=top style="border: none; font-size: 115%" 104 {{{#!div style="float: left" 105 [[Image(source:/wiki/Wiki-Pictures/Common/Icons/Functions/favourite.png,align=left,link=[#point2.10])]] 106 }}} 107 '''[#point2.10 Favourite]'''[[br]] 108 {{{#!div style="float: left 109 Default display when pressing the __FAV__ button. 110 }}} 111 }}} 112 {{{#!td align=center valign=top style="border: none; font-size: 115%" 113 {{{#!div style="float: left" 114 [[Image(source:/wiki/Wiki-Pictures/Common/Icons/Functions/record.png,align=left,link=[#point2.11])]] 115 }}} 116 '''[#point2.11 Record]'''[[br]] 117 {{{#!div style="float: left 118 Default display when pressing the __REC__ button while watching TV. 119 }}} 120 }}} 121 122 123 }}} 124 }}} 125 ---- 126 [[BR]] 127 128 129 130 131 132 '''Infobar''' [=#point2.1] ([wiki:Wiki#point0 Contents]) ([WikiStart#point0 Main page]) 133 134 [[Image(source:/wiki/Wiki-Pictures/NL/Info-OSD.jpg)]] [[br]] 135 This overlay display shows when you press the __"INFO"__ button when viewing a tv channel. [[br]] 136 It shows actual and next program information 137 138 [[br]] 139 '''Playback Infobar''' [=#point2.2] ([wiki:Wiki#point0 Contents]) ([WikiStart#point0 Main page]) 140 141 [[Image(source:/wiki/Wiki-Pictures/NL/Playback-OSD.jpg)]] [[br]] 142 This overlay shows when you press the __"INFO"__ button when playing back a program or time shift is in operation. [[br]] 143 It shows a list of the available buttons to use when in playbac/timeshift to do various things. 144 145 [[br]] 146 '''Audio Track''' [=#point2.3] ([wiki:Wiki#point0 Contents]) ([WikiStart#point0 Main page]) 147 148 [[Image(source:/wiki/Wiki-Pictures/NL/Audio-OSD.jpg)]] [[br]] 149 This overlay shows when you press the __"AUDIO""__ button when viewing a tv channel. [[br]] 150 It allows you to adjust the audio track on the current stream if an alternative audio source exists. 151 152 [[br]] 153 '''History''' [=#point2.4] ([wiki:Wiki#point0 Contents]) ([WikiStart#point0 Main page]) 154 155 [[Image(source:/wiki/Wiki-Pictures/NL/History-OSD.jpg)]] [[br]] 156 This overlay shows when you press the __"RECALL"__ button when viewing a tv channel. [[br]] 157 It allows you to recall the past viewed channels for fast zapping between them. 158 159 [[br]] 160 '''Sleep Timer''' [=#point2.5] ([wiki:Wiki#point0 Contents]) ([WikiStart#point0 Main page]) 161 162 [[Image(source:/wiki/Wiki-Pictures/NL/Sleep-OSD.jpg)]] [[br]] 163 This overlay shows when you press the __"SLEEP"__ button. [[br]] 164 It allows you to set the shutdown timer to automatically shutdown the receiver. 165 166 [[br]] 167 '''Subtitle''' [=#point2.6] ([wiki:Wiki#point0 Contents]) ([WikiStart#point0 Main page]) 168 169 [[Image(source:/wiki/Wiki-Pictures/NL/Subtitle-OSD.jpg)]] [[br]] 170 This overlay shows when you press the __"SUBTITLE"__ button. [[br]] 171 It allows you to select/enable a subtitle during playback. 172 173 [[br]] 174 '''EPG''' [=#point2.7] ([wiki:Wiki#point0 Contents]) ([WikiStart#point0 Main page]) 175 176 [[Image(source:/wiki/Wiki-Pictures/NL/EPG-OSD.jpg)]] [[br]] 177 This overlay shows when you press the __"EPG"__ button. [[br]] 178 It shows a list of the program information from here you can setup a timer or search the EPG. 179 180 [[br]] 181 '''Program Info''' [=#point2.8] ([wiki:Wiki#point0 Contents]) ([WikiStart#point0 Main page]) 182 183 [[Image(source:/wiki/Wiki-Pictures/NL/Program-Info-OSD.jpg)]] [[br]] 184 This Overlay shows when you press the __"INFO"__ button when in the EPG display. [[br]] 185 This shows the current selected program information. 186 187 [[br]] 188 '''Player''' [=#point2.9] ([wiki:Wiki#point0 Contents]) ([WikiStart#point0 Main page]) 189 190 [[Image(source:/wiki/Wiki-Pictures/NL/Internal-Player-OSD.jpg)]] [[br]] 191 This overlay shows when you press the __"PLAY"__ button. [[br]] 192 It allows you to select a movie or recording to play it also has a basic file manager. 193 194 [[br]] 195 '''Favourite''' [=#point2.10] ([wiki:Wiki#point0 Contents]) ([WikiStart#point0 Main page]) 196 197 [[Image(source:/wiki/Wiki-Pictures/NL/Favourite-OSD.jpg)]] [[br]] 198 This overlay shows when you press the __"FAV"__ button. [[br]] 199 It allows you to brouse through your favourits lists. 200 201 [[br]] 202 '''Record''' [=#point2.11] ([wiki:Wiki#point0 Contents]) ([WikiStart#point0 Main page]) 203 204 [[Image(source:/wiki/Wiki-Pictures/NL/Record-OSD.jpg)]] [[br]] 205 This overlay shows when you press the __"RECORD"__ button. [[br]] 206 It allows you to set the record function on the current tv channel. 207 208 [[br]] -
wiki/pages/nl/Git-Changelog
r40540 r40542 1 [[TranslatedPages]] 2 >---- 3 >'''3.7.7 GIT Changelog''' [=#point3.7.7] ([wiki:Interface-Operation#point3.7 Information (Back)])([wiki:Wiki#point0 Contents]) ([WikiStart#point0 Main page]) 4 > 5 >Menu Picture place holder: 6 > 7 >[[Image(source:/wiki/Wiki-Pictures/NL/Git_Changelog.jpg)]][[BR]] 8 > 9 > here you can git information. 10 11 [[br]] 12 -
wiki/pages/nl/Graphic-EPG
r40540 r40542 1 [[TranslatedPages]] 2 >---- 3 >'''3.1.3 Graphic EPG''' [=#point3.1.3] ([wiki:Interface-Operation#point3.1 Records and EPG(Back)]) ([wiki:Wiki#point0 Contents]) ([WikiStart#point0 Main page]) 4 > 5 >Menu Picture place holder: 6 > 7 >[[Image(source:/wiki/Wiki-Pictures/NL/Graphical_EPG.jpg)]][[BR]] 8 > 9 Graphic EPG is a multi channel graphical EPG. 10 11 12 [[br]] 13 14 '''Coloured and Extra Button's Functions" 15 16 The __"Coloured and Extra Buttons"__ along the bottom of the display bring up additional menus and options with in the Single EPG menu. 17 please see below for more info on the functions of these buttons:. 18 19 ||'''Red Button: (Timer)''' ||This will bring up the recording timer menu to set up a timer.|| 20 ||'''0 key (EPG Search):''' ||This will search the EPG for text you specify and bring up a list of matches where you may press the red button to set up a timer.|| 21 ||'''FAV Button: (Favourite)''' ||This will bring up Favourite Boquet menu to select the EPG you would like to display.|| 22 ||'''Info Button: (Info)''' ||This will bring up the selected program's EPG info string.|| 23 24 25 26 For information on setting up a timer Recording using the red button see ([WikiStart#point103.10.6 Records]) for more info. 27 For information on setting proforming an EPG search using the 0 Key see ([WikiStart#point103.10.5 EPG Search]) for more info. -
wiki/pages/nl/HTTP-Settings
r40540 r40542 1 [[TranslatedPages]] 2 >---- 3 >'''3.5.4.6 HTTP Settings''' [=#point3.5.4.6] ([wiki:Interface-Operation#point3.5.1 network (Back]) 4 > 5 > 6 >[[Image(source:/wiki/Wiki-Pictures/NL/HTTP-Settings.jpg)]][[br]] 7 > 8 Here you can setup your HTTP interface. 9 10 [[br]] 11 12 ||'''Start HTTPD:''' ||Start the webserver.|| 13 ||'''User:''' ||Sets the zoom level of the EPG to show more or less of a time span of the shown programs.|| 14 ||'''Password:''' ||Set to yes to use picons or the alternative Picon sets in the infobar and EPG stored in /var/media/autofs/sda1/swapextensions/usr/local/share/titan/picons/ directory.|| 15 ||'''HTTPD Port:''' ||Should the EPG be deleted before a the timed scan.|| 16 ||'''IP for Stream:''' ||Behavior after the EPG scan is completed EPG scan: Nothing (Stand-By) or Switch Off (Deep Stand-By).|| 17 ||'''Stream Port:''' ||Scan for a Media Highway EPG stream during EPG scan.|| 18 ||'''Start RGUID:''' ||Scan for a Media Highway version 2 EPG stream during EPG scan.|| 19 ||'''RGUID Port''' ||Scan for an OpenTV EPG stream during EPG scan.|| 20 21 To __"Store"__ the settings Exit from the EPG Settings Menu by pressing __"OK"__ or press __"Exit"__ to cancel changes. 22 23 [[br]] 24 ---- 25 26 '''Coloured Button's Functions" 27 28 The __"Coloured Buttons"__ along the bottom of the display bring up additional menus and options with in the epg settings menu. 29 please see below for more info on the functions of these buttons:. 30 31 ||'''Text Button: (Keyboard)''' ||This will bring up the onscreen keyboard to edit the currently selected test string.|| 32 33 -
wiki/pages/nl/Hard-Disk
r40540 r40542 1 [[TranslatedPages]] 2 >---- 3 >'''3.5.5 Hard Disk''' [=#point3.5.5] ([wiki:Interface-Operation#point3.5 System (Back)]) ([wiki:Wiki#point0 Contents]) ([WikiStart#point0 Main page]) 4 > 5 >Menu Picture place holder: 6 > 7 >[[Image(source:/wiki/Wiki-Pictures/NL/system-Hard_Disk.jpg)]][[BR]] 8 > 9 Here you can configure your harddisk.[[BR]] 10 please select a menu item for more information. 11 [[br]] 12 13 * ([wiki:Format-Hdd#point3.5.5.1 Format HDD]) 14 * ([wiki:Filesystem-Check#point3.5.5.2 Filesystem Check]) 15 * ([wiki:Configure#point3.5.5.3 Configure]) 16 * ([wiki:Time-to-sleep#point3.5.5.4 Time to sleep]) 17 18 [[BR]] -
wiki/pages/nl/History
r40540 r40542 1 [[TranslatedPages]] 2 ---- 3 '''1 TitanNit Info Contents ''' [=#point1] ([wiki:Wiki#point0 Contents]) ([WikiStart#point0 Main page]) 4 ---- 5 [[br]] 6 This section conatins information on TitanNit and frequently asked questions about it. 7 Please choose an item below to find more information. 8 9 You may select a skip to a specific setup topic or scroll down to read the complete guide. 10 11 {{{#!div style="width: 1100px; margin: auto" 12 {{{#!table style="border: none" 13 {{{#!td align=center valign=top style="border: none; font-size: 115%" 14 {{{#!div style="float: left" 15 [[Image(source:/wiki/Wiki-Pictures/Common/Icons/History/About.png,align=left,link=[#point1.1])]] 16 }}} 17 '''([#point1.1 About])'''[[br]] 18 {{{#!div style="float: left 19 click here to find info about TitanNit 20 }}} 21 }}} 22 {{{#!td align=center valign=top style="border: none; font-size: 115%" 23 {{{#!div style="float: left" 24 [[Image(source:/wiki/Wiki-Pictures/Common/Icons/History/History.png,align=left,link=[#point1.2])]] 25 }}} 26 '''([#point1.2 History])'''[[br]] 27 {{{#!div style="float: left 28 click here to find info on the beginnings of TitanNit 29 }}} 30 }}} 31 {{{#!td align=center valign=top style="border: none; font-size: 115%" 32 {{{#!div style="float: left" 33 [[Image(source:/wiki/Wiki-Pictures/Common/Icons/History/Features.png,align=left,link=[#point1.3])]] 34 }}} 35 '''([#point1.3 Features])'''[[br]] 36 {{{#!div style="float: left 37 click here to find info on the various features of TitanNit 38 }}} 39 }}} 40 }}} 41 }}} 42 43 {{{#!div style="width: 1100px; margin: auto" 44 {{{#!table style="border: none" 45 {{{#!td align=center valign=top style="border: none; font-size: 115%" 46 {{{#!div style="float: left" 47 [[Image(source:/wiki/Wiki-Pictures/Common/Icons/History/Frequnetly_Asked_Questions.png,align=left,link=[#point1.4])]] 48 }}} 49 '''([#point1.4 Frequently Asked Questions])'''[[br]] 50 {{{#!div style="float: left 51 Apendixcies/ references [[br]]to other setup related topics. 52 }}} 53 }}} 54 }}} 55 }}} 56 [[br]] 57 [[br]] 58 59 ---- 60 '''1 About''' [=#point1.1] ([wiki:Wiki#point0 Contents]) ([WikiStart#point0 Main page]) 61 ---- 62 [[br]] 63 TitanNit is a semi closed source replacement operating system for kathrein and Atemio/Atevio digital set top receivers. 64 It has come about as the users/devs wanted something better than was currently available. 65 TitanNit is spawned from other projects and is developed by users come devs so it is easy of use but yet still remains powerfull and configurable and feature packed.[[br]] 66 [[br]] 67 [[br]] 68 69 ---- 70 '''1 History''' [=#point1.2] ([wiki:Wiki#point0 Contents]) ([WikiStart#point0 Main page]) 71 ---- 72 [[br]] 73 * Everything started in April 2011. For almost three weeks our Developer Nit secretly worked on the foundation of Titan. After the presentation by Nit Obi and the rest of the team came on board. Everybody was surprised by the rapid development of the Titan Project. 74 * From the beginning the development and source of Titan was nonpublic, as it was not to be foreseen in which direction the development would go. 75 * After a development period of 6 months our hardware manufacturer Atemio declared interest in the project. Looking back at Years of support through Atemio with the Enigma2 Software, Atemio was given main priority for Titan project. 76 * A six-months agreement with Atemio was signed in December 2011. 77 * Due to the good cooperation the agreement was extended and is still in force. 78 * The basic idea for this project originated for various reasons: 79 * due to the missing Python Chip and low CPU speed the sh4 receivers have always had problems with Enigma2. 80 * the constant improvement and expansion of Enigma2 and the TDT Git was comprehensive and time-consuming. 81 * the alternative Neutrino GIT at that time was not layed out to support twin tuner Receivers. 82 * Nit then decided to combine both, the Enigma2 and the Neutrino, to a new Gui which implemented all advantages of both systems. 83 * Neutrinos main advantage has always been its speed 84 * Enigma2s advantage was the ease of integration and expansion with skins and extensions 85 * These two systems combined into one new system was the basic idea of Titan. 86 [[br]] 87 [[br]] 88 89 ---- 90 '''2 Features''' [=#point1.3] ([wiki:Wiki#point0 Contents]) ([WikiStart#point0 Main page]) 91 ---- 92 [[br]] 93 '' Highlights of TitanNit '' 94 95 - Powerful Linux operating system 96 - Fast boot 97 - About 1 second from standby mode 98 - About 25 seconds from the deep standby mode 99 - Fast channel switching times (less than 1 second) 100 - Different menu interfaces (skins) including customization options 101 - Many options to customize the system to your needs 102 - Backup / Restore function 103 - Organized Favourites and Channel listings and the direct list of following Programs. 104 - Multi-Tuner 105 - Plug-in management 106 - Supports many media formats 107 - Wide range of plugins 108 - PC programs to personalize and convert the channel list 109 - Screen saver in radio mode 110 - Remote control buttons freely assignable 111 - Online update of the firmware with the ability to retain settings 112 - Low memory consumption 113 - 24 hour Forum Support 114 - Growing Community 115 - Web Interface 116 - Android app "timote" 117 - Windows App "tiView" 118 - Bouquets Editor "SatchannelListEditor" 119 [[br]] 120 121 122 ---- 123 '''Frequently Asked Questions''' [=#point1.4] ([wiki:Wiki#point0 Contents]) ([WikiStart#point0 Main page]) 124 ---- 125 [[br]] 126 127 '''What is Titan?'''[[br]]TitanNit is a semi closed source replacement operating system for kathrein and Atemio/Atevio digital set top receivers designed to completly replace the factory software. 128 [[br]] 129 130 '''What can Titan do?'''[[br]]Titan was primarally designed to play/view and record live tv services from tresterial, cable and satellite, it can also be used to play/view the most popular video, audio, and picture formats, and many more lesser-known formats, including: 131 Video - DVD-Video, VCD/SVCD, MPEG-1/2/4, DivX, XviD, Matroska 132 Audio - MP3, AAC. 133 Picture - JPG, GIF, PNG. 134 135 136 These can all be played directly from the hard-drive or from a computer over a local network (LAN) internet IPTV services and media streams hosted by the [[wiki:Plugins-Player#point10.11 TiThek]] plugin. 137 138 TitanNit can play DVD-Video movies (with and without menus) from ISO/IMG images and even ZIP/RAR-archives with the use of the [[wiki:Plugins-Player#point10.11 dvd-player plugin]]. 139 TitanNit has a simple user interface that's pleasant and easy to use. 140 141 All these features enable your device to function as a full multimedia entertainment system for your tv for the whole family to enjoy. 142 [[br]] 143 [[br]] 144 145 '''What features does TitanNit have?'''[[br]]See the complete list of supported features in the [[wiki:Versions#point6 software versions changelog]] for information of the offically supported features. 146 [[br]] 147 [[br]] 148 149 '''Where can I suggest/request a new feature or function to be implemented into TitanNit?'''[[br]]You can log a NEW feature/function request in our tracker. Just make sure that you first remember to search for existing "Feature Requests" before logging a new request/ticket! (see [wiki:Troubleshooting#point12.1 12.1 Bug Reporting] for information on submitting a ticket). 150 151 You may also post a copy of your suggestion in the feature-suggestion section of our [http://www.aaf-digital.info/forum/forum.php AAF Digital Forum] if you want it open for discussion, 152 Please respect that your request only counts as a suggestion, there' s no guarantee that it will implemented soon or ever. 153 154 Almost all users think their own ideas is the most important, and a very common comment is: "if you only add these features then TitanNit will be perfect for me". 155 156 You could try bribing the devs with elaborate gifts :-) flattery will get you every where and agorant requests will most likely get your posts deleted or get you banned from the forum please follow the rules of the forum [http://www.aaf-digital.info/ here]. 157 [[br]] 158 [[br]] 159 160 '''When will this and that feature or function be supported by TitanNit?'''[[br]]TitanNit development is driven by the tasks that are important to the individual developers and to the hardware sponsors Atemio, if you have a funky idea or feature you wish implemented submit a request ticket (see [wiki:Troubleshooting#point12.1 12.1 Bug Reporting], but make an extensive search of the forum and tickets before requesting it as it has probally been sugested before. 161 [[br]] 162 [[br]] 163 164 '''Is TitanNit, or the AAFTeam affiliated with Fortis, katherin or ..... or the hardware manufacturer of my Reciever?'''[[br]]No, TitanNit and its members are not in any way affiliated with the manufactures in any way. TitanNit is a third party operating system designed to replace the manufactures original operating system. 165 [[br]] 166 [[br]] 167 168 '''Will the instalation of Titan Void my Warranty?'''[[br]]Yes probally but this software is tested to ensure it won't dammage your reciever and can be reverted at any time to a factory condition. please see [wiki:Supported-Receivers#point7 Supported Receivers] for a list of suspected supported receivers, If you have successfully installed TitanNit on your Receiver please inform an admin member so this list can be updated and verified. 169 170 If the factory software was so feature packed and bugless there would be no need for software like TitanNit but sadly this is a world where software is driven by sales and purchases by the big players who request features, but TitanNit is a little different it was started just because the users/ devs wanted something better than what was handed to them by the manufacturer. 171 [[br]] 172 [[br]] 173 174 '''Why is TitanNit Not available for my receiver model XXX?'''[[br]]TitanNit is funded by Atemio who supplys hardware to the devs in return for developing software for use on these devices. 175 In future TitanNit may be available for your receiver as support in increaced, at this time Titan in in development for the Broadcom Mips Archeture for the upcomming release of the Atemio 5200 which will be the first non SH4 based reciever supported by TitanNit. 176 [[br]] 177 [[br]] 178 179 '''How do I ...'''[[br]] I don't know I suggest you read the [wiki:Quick-Start-Guide#point0 Quick Start Guide], manual, check the rest of the wiki or proform a [http://www.aaf-digital.info/forum/search.php?search_type=1 search] on the forum, as it has most likely been asked before and you will find the answer, as a last resort post a question on the [http://www.aaf-digital.info/forum/forum.php AAF Digital Forum]. 180 [[br]] 181 [[br]] 182 183 '''Where should I put videos/music and pictures so that Titan can read it?''' [[br]]Anywhere you like. TitanNit can read off the local harddisk,usb sticks, or from network sources. Simply press "Add a Source" using the network Browser and browse away. 184 >[[Image(source:/wiki/Wiki-Pictures/NL/Network-Browser.jpg, 25%)]][[br]] 185 [[br]] 186 [[br]] 187 188 '''What is the default username and password to the built-in FTP server and telnet server?'''Both the default password and the user name is “root” (in lower case) as with many linux instalations. 189 [[br]] 190 [[br]] 191 192 '''Can I watch recordings from my decoder when on holiday?'''[[br]]yes you can you will need to set up either a static ip on your home network or set up a dynadns server, from there you can log onto the web interface and use video lan to watch tv or your recordings. 193 [[br]] 194 [[br]] 195 196 '''Can I thank and or Chat the TitanNit team?''[[br]]Yes sure you can jump on the [[http://www.aaf-digital.info/forum/ AAFforum]] and leave a post and or stop by [wiki:Contact#point15 Skype] and request a invite the majority of us speak german, some of us speak english also. 197 198 '''Do you accept donations?'''[[br]] the team is currently fully funded and no donations are nesessary but if you have some device that may be of use with titan feel free to contact us. 199 200 '''How come the Wiki does not show how to operate feature or function.....?'''[[br]]Titan Is in development and is updated almost daily some features plugins or informations have yet to be merged in, this forum is open to editing by the community feel free to log in and add said feature's informatation to the wiki. 201 [[br]] 202 [[br]] 203 204 ([#point1 Top of Page]) 205 206 207 208 -
wiki/pages/nl/Installation-Recovery
r40540 r40542 1 [[TranslatedPages]] 2 ---- 3 '''8 Installation and Recovery Contents''' [=#point8] ([wiki:Wiki#point0 Contents]) ([WikiStart#point0 Main page]) 4 ---- 5 This section contains information on installation and removal of TitanNit from your receiver 6 {{{#!div style="width: 1100px; margin: auto" 7 {{{#!table style="border: none" 8 {{{#!td align=center valign=top style="border: none; font-size: 115%" 9 {{{#!div style="float: left" 10 [[Image(source:/wiki/Wiki-Pictures/Common/Icons/Receiver_logo/Atemio.png, 60px,align=left,link=http://www.atemio.de Atemio homepage)]] 11 }}} 12 '''SH4 Atemio'''[[br]] 13 {{{#!div style="float: left 14 [http://www.atemio.de Atemio homepage] 15 * [wiki:Installation-Recovery-SH4-Atemio#point8.000 Contents] 16 * [wiki:Installation-Recovery-SH4-Atemio#point8.001 Atemio510] 17 * [wiki:Installation-Recovery-SH4-Atemio#point8.002 Atemio520] 18 * [wiki:Installation-Recovery-SH4-Atemio#point8.003 Atemio530] 19 * [wiki:Installation-Recovery-SH4-Atemio#point8.004 Atemio7600] 20 * [wiki:Installation-Recovery-SH4-Atemio#point8.005 Atemio700] 21 * [wiki:Installation-Recovery-SH4-Atemio#point8.006 Atemio7000] 22 }}} 23 }}} 24 {{{#!td align=center valign=top style="border: none; font-size: 115%" 25 {{{#!div style="float: left" 26 [[Image(source:/wiki/Wiki-Pictures/Common/Icons/Receiver_logo/Fortis.png, 60px,align=left,link=http://www.fortis.co.kr Fortis homepage)]] 27 }}} 28 '''SH4 Fortis'''[[br]] 29 {{{#!div style="float: left 30 [http://www.fortis.co.kr Fortis homepage] 31 * [wiki:Installation-Recovery-SH4-Fortis#point8.010 Contents] 32 * [wiki:Installation-Recovery-SH4-Fortis#point8.011 Fortis Clone] 33 * [wiki:Installation-Recovery-SH4-Fortis#point8.012 Bootloader Installation] 34 * [wiki:Installation-Recovery-SH4-Fortis#point8.013 Fortis FS-9000] 35 * [wiki:Installation-Recovery-SH4-Fortis#point8.014 Fortis FS-9200] 36 * [wiki:Installation-Recovery-SH4-Fortis#point8.015 Fortis HS-9510] 37 * [wiki:Installation-Recovery-SH4-Fortis#point8.016 Fortis HX-8200] 38 * [wiki:Installation-Recovery-SH4-Fortis#point8.017 Fortis HS-7810] 39 }}} 40 }}} 41 {{{#!td align=center valign=top style="border: none; font-size: 115%" 42 {{{#!div style="float: left" 43 [[Image(source:/wiki/Wiki-Pictures/Common/Icons/Receiver_logo/homecast.png, 60px,align=left,link=http://www.myhomecast.nl Homecast homepage)]] 44 }}} 45 '''SH4 Homecast'''[[br]] 46 {{{#!div style="float: left 47 [http://www.myhomecast.nl Homecast homepage] 48 * [wiki:Installation-Recovery-SH4-Homecast#point8.020 Contents] 49 * [wiki:Installation-Recovery-SH4-Homecast#point8.021 Homecast Pro] 50 }}} 51 }}} 52 |---- 53 {{{#!td align=center valign=top style="border: none; font-size: 115%" 54 {{{#!div style="float: left" 55 [[Image(source:/wiki/Wiki-Pictures/Common/Icons/Receiver_logo/IPBox.png, 60px,align=left,link=http://www.abipbox.com/ AB IPBox homepage)]] 56 }}} 57 '''SH4 IPBox'''[[br]] 58 {{{#!div style="float: left 59 [http://www.abipbox.com/ AB IPBox homepage] 60 * [wiki:Installation-Recovery-SH4-IPBox#point8.030 Contents] 61 * [wiki:Installation-Recovery-SH4-IPBox#point8.031 Ipbox91] 62 * [wiki:Installation-Recovery-SH4-IPBox#point8.032 Ipbox900] 63 * [wiki:Installation-Recovery-SH4-IPBox#point8.033 Ipbox910] 64 * [wiki:Installation-Recovery-SH4-IPBox#point8.034 Ipbox9000] 65 }}} 66 }}} 67 {{{#!td align=center valign=top style="border: none; font-size: 115%" 68 {{{#!div style="float: left" 69 [[Image(source:/wiki/Wiki-Pictures/Common/Icons/Receiver_logo/kathrein.png, 60px,align=left,link=http://www.kathrein-gmbh.at kathrein homepage)]] 70 }}} 71 '''SH4 Katherin'''[[br]] 72 {{{#!div style="float: left 73 [http://www.kathrein-gmbh.at kathrein homepage] 74 * [wiki:Installation-Recovery-SH4-Katherin#point8.040 Contents] 75 * [wiki:Installation-Recovery-SH4-Katherin#point8.041 Ufs910] 76 * [wiki:Installation-Recovery-SH4-Katherin#point8.042 Ufs912] 77 * [wiki:Installation-Recovery-SH4-Katherin#point8.043 Ufs913] 78 * [wiki:Installation-Recovery-SH4-Katherin#point8.044 Ufs922] 79 * [wiki:Installation-Recovery-SH4-Katherin#point8.045 Ufc960] 80 }}} 81 }}} 82 {{{#!td align=center valign=top style="border: none; font-size: 115%" 83 {{{#!div style="float: left" 84 [[Image(source:/wiki/Wiki-Pictures/Common/Icons/Receiver_logo/Spark.png, 60px,align=left,link=http://www.spark-tv.com Spark homepage)]] 85 }}} 86 '''SH4 Spark'''[[br]] 87 {{{#!div style="float: left 88 [http://www.spark-tv.com Spark homepage] 89 * [wiki:Installation-Recovery-SH4-Spark#point8.050 Contents] 90 * [wiki:Installation-Recovery-SH4-Spark#point8.051 Spark7111] 91 * [wiki:Installation-Recovery-SH4-Spark#point8.052 Spark7162] 92 }}} 93 }}} 94 |---- 95 {{{#!td align=center valign=top style="border: none; font-size: 115%" 96 {{{#!div style="float: left" 97 [[Image(source:/wiki/Wiki-Pictures/Common/Icons/Receiver_logo/Atemio.png, 60px,align=left,link=http://www.atemio.de Atemio homepage)]] 98 }}} 99 '''Mips Atemio'''[[br]] 100 {{{#!div style="float: left 101 [http://www.atemio.de Atemio homepage] 102 * [wiki:Installation-Recovery-Mips-Atemio#point8.060 Contents] 103 * [wiki:Installation-Recovery-Mips-Atemio#point8.061 Atemio5000 AKA Nemesis] 104 * [wiki:Installation-Recovery-Mips-Atemio#point8.062 Atemio5200] 105 * [wiki:Installation-Recovery-Mips-Atemio#point8.063 Atemio6000] 106 * [wiki:Installation-Recovery-Mips-Atemio#point8.064 Atemio6100] 107 * [wiki:Installation-Recovery-Mips-Atemio#point8.065 Atemio6200] 108 }}} 109 }}} 110 {{{#!td align=center valign=top style="border: none; font-size: 115%" 111 {{{#!div style="float: left" 112 [[Image(source:/wiki/Wiki-Pictures/Common/Icons/Receiver_logo/beyonwiz.png, 60px,align=left,link=http://www.beyonwiz.com.au Beyonwiz homepage)]] 113 }}} 114 '''Mips Beyonwiz'''[[br]] 115 {{{#!div style="float: left 116 [http://www.beyonwiz.com.au Beyonwiz homepage] 117 118 * [wiki:Installation-Recovery-Mips-Beyonwiz#point8.070 Contents] 119 * [wiki:Installation-Recovery-Mips-Beyonwiz#point8.071 BeyonwizT4] 120 }}} 121 }}} 122 {{{#!td align=center valign=top style="border: none; font-size: 115%" 123 {{{#!div style="float: left" 124 [[Image(source:/wiki/Wiki-Pictures/Common/Icons/Receiver_logo/Goldern_Interstar.png, 60px,align=left,link=http://www.golden-interstar.pl Golden Interstar homepage)]] 125 }}} 126 '''Mips Golden Interstar'''[[br]] 127 {{{#!div style="float: left 128 [http://www.golden-interstar.pl Golden Interstar homepage] 129 * [wiki:Installation-Recovery-Mips-Golden-Interstar#point8.080 Contents] 130 * [wiki:Installation-Recovery-Mips-Golden-Interstar#point8.081 Xpeedlx1/2] 131 * [wiki:Installation-Recovery-Mips-Golden-Interstar#point8.082 Xpeedlx3] 132 }}} 133 }}} 134 |---- 135 {{{#!td align=center valign=top style="border: none; font-size: 115%" 136 {{{#!div style="float: left" 137 [[Image(source:/wiki/Wiki-Pictures/Common/Icons/Receiver_logo/Miraclebox.png, 60px,align=left,link=http://www.miraclebox.se miraclebox homepage)]] 138 }}} 139 '''Mips Miraclebox[[br]] 140 {{{#!div style="float: left 141 [http://www.miraclebox.se Miraclebox homepage] 142 * [wiki:Installation-Recovery-Mips-Miraclebox#point8.090 Contents] 143 * [wiki:Installation-Recovery-Mips-Miraclebox#point8.091 MBUltra] 144 * [wiki:Installation-Recovery-Mips-Miraclebox#point8.092 MBMini] 145 }}} 146 }}} 147 {{{#!td align=center valign=top style="border: none; font-size: 115%" 148 {{{#!div style="float: left" 149 [[Image(source:/wiki/Wiki-Pictures/Common/Icons/Receiver_logo/Sezam.png, 60px,align=left,link=http://www.sezam-club.ru/ homepage)]] 150 }}} 151 '''Mips Sezam'''[[br]] 152 {{{#!div style="float: left 153 [http://www.sezam-club.ru/ Mips Sezam homepage] 154 * [wiki:Installation-Recovery-Mips-Sezam#point8.100 Contents] 155 * [wiki:Installation-Recovery-Mips-Sezam#point8.101 Sezam-Marvel] 156 * [wiki:Installation-Recovery-Mips-Sezam#point8.102 Sezam-1000HD] 157 }}} 158 }}} 159 }}} 160 }}} 161 162 163 ---- 164 '''8.113 IRD Download Locations''' [=#point8.113] ([wiki:Wiki#point0 Contents]) ([WikiStart#point0 Main Page]) 165 ---- 166 * [wiki:Manufactures#point13 13 Manufactures] - [http://atemio.de/index.php/software-updates Stable Images][[br]] 167 * [wiki:Community#point14 14 Community] - [http://www.aaf-digital.info/forum/downloads.php?do=cat&id=2 Stable Images] [http://www.aaf-digital.info/forum/pages.php?pageid=12 Nightly Images][[br]] 168 169 '''[wiki:Remote-Device-Control#point4.6 4.6 Bootloader sh4 Boxen]'''[[br]] 170 * [http://sbnc.dyndns.tv/trac/wiki/en/Remote-Device-Control#point4.6 iboot sh4 loader flashing and recovery ][[br]] 171 172 [[br]] 173 [#point8 Top of Page] 174 [[br]] 175 176 177 178 179 -
wiki/pages/nl/Installation-Recovery-Mips-Atemio
r40540 r40542 1 [[TranslatedPages]] 2 ---- 3 '''8.061 Mips Atemio''' [=#point8.061] ([wiki:Wiki#point0 Contents]) ([WikiStart#point0 Main page]) 4 ---- 5 6 manufacturer blurb..... 7 8 9 10 11 12 ---- 13 '''8.061 Atemio-Nemesis''' [=#point8.061] ([wiki:Wiki#point0 Contents]) ([WikiStart#point0 Main page]) 14 ---- 15 '' How do I install an Atemio 5000 Update UBI image? '' 16 * Visit the Atemio homepage or the AAF digital forum and download the latest TitanNit firmware . ([#point8.15 IRD Download Locations]) 17 * Extract the zip file 18 * Now copy the unzipped IRD firmware file to a formatted FAT32 USB stick. 19 Note: After unpacking two subfolders atemio/5x00 will be created . The USB stick should not be formatted with windows. Use a separate program, such as the " HP USB Disk Storage Format Tool" (freeware program). 20 Furthermore, we recommend a cheap USB stick with a small storage capacity as well as read and write speed. 21 * Turn off the Receiver and disconnect all USB devices. 22 * Connect the USB stick with the IRD file to your Receiver 23 * Switch on ( mains plug ) and press the CH + on the unit (1 button from the right ) until the Vfd ( LCD Display) displayes " Flashing ...". 24 then the installation begins, Only then release the button. 25 Note: If installation does not start , use a different USB stick. 26 * After successfully installing the receiver will reboot and the installed image should start-up 27 [[br]] 28 [#point8 Top of Page] 29 [[br]] 30 ---- 31 '''8.062 Atemio5200''' [=#point8.062] ([wiki:Wiki#point0 Contents]) ([WikiStart#point0 Main page]) 32 ---- 33 '' How do I install an Atemio 5200 Update UBI image? '' 34 * Visit the Atemio homepage or the AAF digital forum and download the latest TitanNit firmware . ([#point8.15 IRD Download Locations]) 35 * Extract the zip file 36 * Now copy the unzipped IRD firmware file to a formatted FAT32 USB stick. 37 Note: After unpacking two subfolders atemio/5x00 will be created . The USB stick should not be formatted with windows. Use a separate program, such as the " HP USB Disk Storage Format Tool" (freeware program). 38 Furthermore, we recommend a cheap USB stick with a small storage capacity as well as read and write speed. 39 * Turn off the Receiver and disconnect all USB devices. 40 * Connect the USB stick with the IRD file to your Receiver 41 * Switch on ( mains plug ) and press the CH + on the unit (1 button from the right ) until the Vfd ( LCD Display) displayes " Flashing ...". 42 then the installation begins, Only then release the button. 43 Note: If installation does not start , use a different USB stick. 44 * After successfully installing the receiver will reboot and the installed image should start-up 45 [[br]] 46 [#point8 Top of Page] 47 [[br]] 48 ---- 49 '''8.063 Atemio6000''' [=#point8.063] ([wiki:Wiki#point0 Contents]) ([WikiStart#point0 Main page]) 50 ---- 51 '' How do I install an Atemio 6000 Update UBI image? '' 52 * Visit the Atemio homepage or the AAF digital forum and download the latest TitanNit firmware . ([#point8.15 IRD Download Locations]) 53 * Extract the zip file 54 * Now copy the unzipped IRD firmware file to a formatted FAT32 USB stick. 55 Note: After unpacking two subfolders atemio/5x00 will be created . The USB stick should not be formatted with windows. Use a separate program, such as the " HP USB Disk Storage Format Tool" (freeware program). 56 Furthermore, we recommend a cheap USB stick with a small storage capacity as well as read and write speed. 57 * Turn off the Receiver and disconnect all USB devices. 58 * Connect the USB stick with the IRD file to your Receiver 59 * Switch on ( mains plug ) and press the CH + on the unit (1 button from the right ) until the Vfd ( LCD Display) displayes " Flashing ...". 60 then the installation begins, Only then release the button. 61 Note: If installation does not start , use a different USB stick. 62 * After successfully installing the receiver will reboot and the installed image should start-up 63 [[br]] 64 [#point8 Top of Page] 65 [[br]] 66 ---- 67 '''8.064 Atemio6100''' [=#point8.064] ([wiki:Wiki#point0 Contents]) ([WikiStart#point0 Main page]) 68 ---- 69 '' How do I install an Atemio 6100 Update UBI image? '' 70 * Visit the Atemio homepage or the AAF digital forum and download the latest TitanNit firmware . ([#point8.15 IRD Download Locations]) 71 * Extract the zip file 72 * Now copy the unzipped IRD firmware file to a formatted FAT32 USB stick. 73 Note: After unpacking two subfolders atemio/5x00 will be created . The USB stick should not be formatted with windows. Use a separate program, such as the " HP USB Disk Storage Format Tool" (freeware program). 74 Furthermore, we recommend a cheap USB stick with a small storage capacity as well as read and write speed. 75 * Turn off the Receiver and disconnect all USB devices. 76 * Connect the USB stick with the IRD file to your Receiver 77 * Switch on ( mains plug ) and press the CH + on the unit (1 button from the right ) until the Vfd ( LCD Display) displayes " Flashing ...". 78 then the installation begins, Only then release the button. 79 Note: If installation does not start , use a different USB stick. 80 * After successfully installing the receiver will reboot and the installed image should start-up 81 [[br]] 82 [#point8 Top of Page] 83 [[br]] 84 ---- 85 '''8.065 Atemio6200''' [=#point8.065] ([wiki:Wiki#point0 Contents]) ([WikiStart#point0 Main page]) 86 ---- 87 '' How do I install an Atemio 6200 Update UBI image? '' 88 * Visit the Atemio homepage or the AAF digital forum and download the latest TitanNit firmware . ([#point8.15 IRD Download Locations]) 89 * Extract the zip file 90 * Now copy the unzipped IRD firmware file to a formatted FAT32 USB stick. 91 Note: After unpacking two subfolders atemio/5x00 will be created . The USB stick should not be formatted with windows. Use a separate program, such as the " HP USB Disk Storage Format Tool" (freeware program). 92 Furthermore, we recommend a cheap USB stick with a small storage capacity as well as read and write speed. 93 * Turn off the Receiver and disconnect all USB devices. 94 * Connect the USB stick with the IRD file to your Receiver 95 * Switch on ( mains plug ) and press the CH + on the unit (1 button from the right ) until the Vfd ( LCD Display) displayes " Flashing ...". 96 then the installation begins, Only then release the button. 97 Note: If installation does not start , use a different USB stick. 98 * After successfully installing the receiver will reboot and the installed image should start-up 99 [[br]] 100 [#point8 Top of Page] 101 [[br]] -
wiki/pages/nl/Installation-Recovery-Mips-Beyonwiz
r40540 r40542 1 [[TranslatedPages]] 2 ---- 3 '''8.071 Beyonwiz''' [=#point8.070] ([wiki:Wiki#point0 Contents]) ([WikiStart#point0 Main page]) 4 ---- 5 6 7 manufacturer blurb..... 8 9 10 ---- 11 '''8.071 Beyonwiz T4''' [=#point8.071] ([wiki:Wiki#point0 Contents]) ([WikiStart#point0 Main page]) 12 ---- 13 '' How do I install an Beyonwiz T4 Update UBI image? '' 14 * Visit the Atemio homepage or the AAF digital forum and download the latest TitanNit firmware . ([#point8.15 IRD Download Locations]) 15 * Extract the zip file 16 * Now copy the unzipped IRD firmware file to a formatted FAT32 USB stick. 17 Note: After unpacking two subfolders atemio/5x00 will be created . The USB stick should not be formatted with windows. Use a separate program, such as the " HP USB Disk Storage Format Tool" (freeware program). 18 Furthermore, we recommend a cheap USB stick with a small storage capacity as well as read and write speed. 19 * Turn off the Receiver and disconnect all USB devices. 20 * Connect the USB stick with the IRD file to your Receiver 21 * Switch on ( mains plug ) and press the CH + on the unit (1 button from the right ) until the Vfd ( LCD Display) displayes " Flashing ...". 22 then the installation begins, Only then release the button. 23 Note: If installation does not start , use a different USB stick. 24 * After successfully installing the receiver will reboot and the installed image should start-up 25 [[br]] 26 [#point8 Top of Page] 27 [[br]] -
wiki/pages/nl/Installation-Recovery-Mips-Golden-Interstar
r40540 r40542 1 [[TranslatedPages]] 2 ---- 3 '''8.080 Goldern interstar Xpeedlx1/2''' [=#point8.080] ([wiki:Wiki#point0 Inhaltsverzeichnis]) ([WikiStart#point0 Sprachauswahl]) 4 ---- 5 6 manufacturer blurb 7 8 9 10 ---- 11 '''8.081 Goldern interstar Xpeedlx1/2''' [=#point8.081] ([wiki:Wiki#point0 Inhaltsverzeichnis]) ([WikiStart#point0 Sprachauswahl]) 12 ---- 13 ''How do I install a Xpeedlx1/2 update image? '' 14 * Visit the AAF digital forum and download the latest TitanNit firmware . ([#point8.33 IRD Download Locations]) 15 * Extract the zip file 16 * Now copy the unzipped firmware folder "xpeedlx3" to a formatted FAT32 USB stick. 17 Note: The USB stick should not be formatted with windows, but a separate program, such as the " HP USB Disk Storage Format Tool" (freeware program). Furthermore, we recommend a cheap USB stick with a small storage capacity as well as read and write speed. 18 * Turn off the Receiver and disconnect all USB devices. 19 * Connect the USB stick with the update image file 20 * Switch on (mains switch) and and when prompted on the vfd press the __Volume up__ button on the unit, then the installation begins. after the update starts release the __volume up__ button. 21 22 Note: If installation does not start, use a different USB stick. 23 •After successfully installing the receiver will reboot and the installed image should start-up 24 [[br]] 25 [#point8 Top of Page] 26 [[br]] 27 ---- 28 '''8.082 goldern interstar Xpeedlx3''' [=#point8.082] ([wiki:Wiki#point0 Inhaltsverzeichnis]) ([WikiStart#point0 Sprachauswahl]) 29 ---- 30 ''How do I install a Xpeedlx3 update image? '' 31 * Visit the AAF digital forum and download the latest TitanNit firmware . ([#point8.33 IRD Download Locations]) 32 * Extract the zip file 33 * Now copy the unzipped firmware folder "xpeedlx3" to a formatted FAT32 USB stick. 34 Note: The USB stick should not be formatted with windows, but a separate program, such as the " HP USB Disk Storage Format Tool" (freeware program). Furthermore, we recommend a cheap USB stick with a small storage capacity as well as read and write speed. 35 * Turn off the Receiver and disconnect all USB devices. 36 * Connect the USB stick with the update image file 37 * Switch on (mains switch) and and when prompted on the vfd press the __Volume up__ button on the unit, then the installation begins. after the update starts release the __volume up__ button. 38 39 Note: If installation does not start, use a different USB stick. 40 •After successfully installing the receiver will reboot and the installed image should start-up 41 [[br]] 42 [#point8 Top of Page] 43 [[br]] -
wiki/pages/nl/Installation-Recovery-Mips-Miraclebox
r40540 r40542 1 [[TranslatedPages]] 2 ---- 3 '''8.090 Miraclebox''' [=#point8.090] ([wiki:Wiki#point0 Contents]) ([WikiStart#point0 Main page]) 4 ---- 5 6 manufacturer blurb...... 7 8 9 10 11 12 ---- 13 '''8.091 Miraclebox Ultra''' [=#point8.091] ([wiki:Wiki#point0 Contents]) ([WikiStart#point0 Main page]) 14 ---- 15 '' How do I install an Miraclebox Ultra Update UBI image? '' 16 * Visit the Atemio homepage or the AAF digital forum and download the latest TitanNit firmware . ([#point8.15 IRD Download Locations]) 17 * Extract the zip file 18 * Now copy the unzipped IRD firmware file to a formatted FAT32 USB stick. 19 Note: After unpacking two subfolders atemio/5x00 will be created . The USB stick should not be formatted with windows. Use a separate program, such as the " HP USB Disk Storage Format Tool" (freeware program). 20 Furthermore, we recommend a cheap USB stick with a small storage capacity as well as read and write speed. 21 * Turn off the Receiver and disconnect all USB devices. 22 * Connect the USB stick with the IRD file to your Receiver 23 * Switch on ( mains plug ) and press the CH + on the unit (1 button from the right ) until the Vfd ( LCD Display) displayes " Flashing ...". 24 then the installation begins, Only then release the button. 25 Note: If installation does not start , use a different USB stick. 26 * After successfully installing the receiver will reboot and the installed image should start-up 27 [[br]] 28 [#point8 Top of Page] 29 [[br]] 30 ---- 31 '''8.092 Miraclebox Mini''' [=#point8.092] ([wiki:Wiki#point0 Contents]) ([WikiStart#point0 Main page]) 32 ---- 33 '' How do I install an Miraclebox Mini Update UBI image? '' 34 * Visit the Atemio homepage or the AAF digital forum and download the latest TitanNit firmware . ([#point8.15 IRD Download Locations]) 35 * Extract the zip file 36 * Now copy the unzipped IRD firmware file to a formatted FAT32 USB stick. 37 Note: After unpacking two subfolders atemio/5x00 will be created . The USB stick should not be formatted with windows. Use a separate program, such as the " HP USB Disk Storage Format Tool" (freeware program). 38 Furthermore, we recommend a cheap USB stick with a small storage capacity as well as read and write speed. 39 * Turn off the Receiver and disconnect all USB devices. 40 * Connect the USB stick with the IRD file to your Receiver 41 * Switch on ( mains plug ) and press the CH + on the unit (1 button from the right ) until the Vfd ( LCD Display) displayes " Flashing ...". 42 then the installation begins, Only then release the button. 43 Note: If installation does not start , use a different USB stick. 44 * After successfully installing the receiver will reboot and the installed image should start-up 45 [[br]] 46 [#point8 Top of Page] 47 [[br]] -
wiki/pages/nl/Installation-Recovery-Mips-Sezam
r40540 r40542 1 [[TranslatedPages]] 2 ---- 3 '''8.100 Sezam-Marvel''' [=#point8.100] ([wiki:Wiki#point0 Contents]) ([WikiStart#point0 Sprachauswahl]) 4 ---- 5 6 manufacturer blurb.... 7 8 9 10 11 12 ---- 13 '''8.101 Sezam-Marvel''' [=#point8.101] ([wiki:Wiki#point0 Contents]) ([WikiStart#point0 Sprachauswahl]) 14 ---- 15 ''How do I install a Sezam-Marvel update image? '' 16 * Visit the AAF digital forum and download the latest TitanNit firmware . ([#point8.33 IRD Download Locations]) 17 * Extract the zip file 18 * Now copy the unzipped firmware folder "enigma2" to a formatted FAT32 USB stick. 19 Note: The USB stick should not be formatted with windows, but a separate program, such as the " HP USB Disk Storage Format Tool" (freeware program). Furthermore, we recommend a cheap USB stick with a small storage capacity as well as read and write speed. 20 * Turn off the Receiver and disconnect all USB devices. 21 * Connect the USB stick with the update image file 22 * Switch on (mains switch) and and when prompted on the vfd press the __Volume up__ button on the unit, then the installation begins. after the update starts release the __volume up__ button. 23 24 Note: If installation does not start, use a different USB stick. 25 •After successfully installing the receiver will reboot and the installed image should start-up 26 [[br]] 27 [#point8 Top of Page] 28 [[br]] 29 ---- 30 '''8.102 Sezam-1000HD''' [=#point8.102] ([wiki:Wiki#point0 Contents]) ([WikiStart#point0 Sprachauswahl]) 31 ---- 32 ''How do I install a Sezam-1000HD update image? '' 33 * Visit the AAF digital forum and download the latest TitanNit firmware . ([#point8.33 IRD Download Locations]) 34 * Extract the zip file 35 * Now copy the unzipped firmware folder "enigma2" to a formatted FAT32 USB stick. 36 Note: The USB stick should not be formatted with windows, but a separate program, such as the " HP USB Disk Storage Format Tool" (freeware program). Furthermore, we recommend a cheap USB stick with a small storage capacity as well as read and write speed. 37 * Turn off the Receiver and disconnect all USB devices. 38 * Connect the USB stick with the update image file 39 * Switch on (mains switch) and and when prompted on the vfd press the __Volume up__ button on the unit, then the installation begins. after the update starts release the __volume up__ button. 40 41 Note: If installation does not start, use a different USB stick. 42 •After successfully installing the receiver will reboot and the installed image should start-up 43 [[br]] 44 [#point8 Top of Page] 45 [[br]] -
wiki/pages/nl/Installation-Recovery-SH4-Atemio
r40540 r40542 1 [[TranslatedPages]] 2 ---- 3 '''SH4 Atemio (Atevio)'''[=#point8.00] 4 ---- 5 6 The SH4 Atemio recievers are manufactured by Fortis who are a Korean manufacturer of satellite receivers all atemio (atevio) models are compatible with TitanNit. 7 as TitanNit was developed for these recievers no bootloader software ID changes are required to install TitanNit, some of these models cam factory supplied with TitanNit such as the atemio 530. 8 9 '''SH4 Atemio Contents''' 10 11 * [#point8.001 8.001 Atemio510] 12 * [#point8.002 8.002 Atemio520] 13 * [#point8.003 8.003 Atemio530] 14 * [#point8.004 8.004 Atemio7600] 15 * [#point8.005 8.005 Atevio700] 16 * [#point8.006 8.006 Atevio7000] 17 18 '''Additional Info''' 19 20 * [#point8.007 8.007 Uninstallation] 21 * [#point8.008 8.008 Update TitanNit] 22 * [#point8.009 8.009 IRD Download Location] 23 24 25 26 ---- 27 '''8.1 Atemio510 and Fortis HS-7810''' [=#point8.001] ([wiki:Wiki#point0 Contents]) ([WikiStart#point0 Main page]) 28 ---- 29 '' How do I install an Atemio 510 IRD image? '' 30 * Visit the Atemio homepage or the AAF digital forum and download the latest TitanNit firmware . ([#point8.15 IRD Download Locations]) 31 * Extract the zip file 32 * Now copy the unzipped IRD firmware file to a formatted FAT32 USB stick. 33 Note: The USB stick should not be formatted with windows. Use a separate program, such as the 34 " HP USB Disk Storage Format Tool" (freeware program). 35 Furthermore, we recommend a cheap USB stick with a small storage capacity as well as read and write speed. 36 * Turn off the Receiver and disconnect all USB devices. 37 * Connect the USB stick with the IRD file to your Receiver 38 * Switch on (mains switch) and at the same time hold the CH + on the unit (about 15 seconds) until "search IRD File ... " appears, 39 and the installation begins. Only then release the button 40 Note: If installation does not start , use a different USB stick. 41 * After successfully installing the receiver will reboot and the installed image should start-up 42 [[br]] 43 '''[wiki:Remote-Device-Control#point4.6 4.6 Bootloader sh4 Boxen]'''[[br]] 44 * [http://sbnc.dyndns.tv/trac/wiki/en/Remote-Device-Control#point4.6 iboot sh4 loader flashing and recovery ][[br]] 45 [#point8 Top of Page] 46 [[br]] 47 ---- 48 '''8.2 Atemio520''' [=#point8.002] ([wiki:Wiki#point0 Contents]) ([WikiStart#point0 Main page]) 49 ---- 50 '' How do I install an Atemio 520 IRD image? '' 51 * Visit the Atemio homepage or the AAF digital forum and download the latest TitanNit firmware . ([#point8.15 IRD Download Locations]) 52 * Extract the zip file 53 * Now copy the unzipped IRD firmware file to a formatted FAT32 USB stick. 54 Note: The USB stick should not be formatted with windows. Use a separate program, such as the 55 " HP USB Disk Storage Format Tool" (freeware program). 56 Furthermore, we recommend a cheap USB stick with a small storage capacity as well as read and write speed. 57 * Turn off the Receiver and disconnect all USB devices. 58 * Connect the USB stick with the IRD file to your Receiver 59 * Switch on (mains switch) and at the same time hold the CH + on the unit (about 15 seconds) until "search IRD File ... " appears, 60 and the installation begins. Only then release the button 61 Note: If installation does not start , use a different USB stick. 62 * After successfully installing the receiver will reboot and the installed image should start-up 63 [[br]] 64 '''[wiki:Remote-Device-Control#point4.6 4.6 Bootloader sh4 Boxen]'''[[br]] 65 * [http://sbnc.dyndns.tv/trac/wiki/en/Remote-Device-Control#point4.6 iboot sh4 loader flashing and recovery ][[br]] 66 [#point8 Top of Page] 67 [[br]] 68 ---- 69 '''8.3 Atemio530''' [=#point8.003] ([wiki:Wiki#point0 Contents]) ([WikiStart#point0 Main page]) 70 ---- 71 '' How do I install an Atemio 530 IRD image? '' 72 * Visit the Atemio homepage or the AAF digital forum and download the latest TitanNit firmware . ([#point8.15 IRD Download Locations]) 73 * Extract the zip file 74 * Now copy the unzipped IRD firmware file to a formatted FAT32 USB stick. 75 Note: The USB stick should not be formatted with windows. Use a separate program, such as the 76 " HP USB Disk Storage Format Tool" (freeware program). 77 Furthermore, we recommend a cheap USB stick with a small storage capacity as well as read and write speed. 78 * Turn off the Receiver and disconnect all USB devices. 79 * Connect the USB stick with the IRD file to your Receiver 80 * Switch on (mains switch) and at the same time hold the CH + on the unit (about 15 seconds) until "search IRD File ... " appears, 81 and the installation begins. Only then release the button 82 Note: If installation does not start , use a different USB stick. 83 * After successfully installing the receiver will reboot and the installed image should start-up 84 [[br]] 85 [#point8 Top of Page] 86 [[br]] 87 ---- 88 '''8.4 Atemio7600 and Fortis HX-8200''' [=#point8.004] ([wiki:Wiki#point0 Contents]) ([WikiStart#point0 Main page]) 89 ---- 90 '' How do I install an Atemio 7600 IRD image? '' 91 * Visit the Atemio homepage or the AAF digital forum and download the latest TitanNit firmware . ([#point8.15 IRD Download Locations]) 92 * Extract the zip file 93 * Now copy the unzipped IRD firmware file to a formatted FAT32 USB stick. 94 Note: The USB stick should not be formatted with windows. Use a separate program, such as the 95 " HP USB Disk Storage Format Tool" (freeware program). 96 Furthermore, we recommend a cheap USB stick with a small storage capacity as well as read and write speed. 97 * Turn off the Receiver and disconnect all USB devices. 98 * Connect the USB stick with the IRD file to your Receiver 99 * Switch on (mains switch) and at the same time hold the CH + on the unit (about 15 seconds) until "search IRD File ... " appears, 100 and the installation begins. Only then release the button 101 Note: If installation does not start , use a different USB stick. 102 * After successfully installing the receiver will reboot and the installed image should start-up 103 [[br]] 104 '''[wiki:Remote-Device-Control#point4.6 4.6 Bootloader sh4 Boxen]'''[[br]] 105 * [http://sbnc.dyndns.tv/trac/wiki/en/Remote-Device-Control#point4.6 iboot sh4 loader flashing and recovery ][[br]] 106 [#point8 Top of Page] 107 [[br]] 108 ---- 109 '''8.5 Atevio700''' [=#point8.005] ([wiki:Wiki#point0 Contents]) ([WikiStart#point0 Main page]) 110 ---- 111 '' How do I install an Atemio 7600 IRD image? '' 112 * Visit the Atemio homepage or the AAF digital forum and download the latest TitanNit firmware . ([#point8.15 IRD Download Locations]) 113 * Extract the zip file 114 * Now copy the unzipped IRD firmware file to a formatted FAT32 USB stick. 115 Note: The USB stick should not be formatted with windows. Use a separate program, such as the 116 " HP USB Disk Storage Format Tool" (freeware program). 117 Furthermore, we recommend a cheap USB stick with a small storage capacity as well as read and write speed. 118 * Turn off the Receiver and disconnect all USB devices. 119 * Connect the USB stick with the IRD file to your Receiver 120 * Switch on (mains switch) and at the same time hold the CH + on the unit (about 15 seconds) until "search IRD File ... " appears, 121 and the installation begins. Only then release the button 122 Note: If installation does not start , use a different USB stick. 123 * After successfully installing the receiver will reboot and the installed image should start-up 124 [[br]] 125 '''[wiki:Remote-Device-Control#point4.6 4.6 Bootloader sh4 Boxen]'''[[br]] 126 * [http://sbnc.dyndns.tv/trac/wiki/en/Remote-Device-Control#point4.6 iboot sh4 loader flashing and recovery ][[br]] 127 [#point8 Top of Page] 128 [[br]] 129 ---- 130 '''8.6 Atevio7000 and Fortis FS-9000/9200''' [=#point8.006] ([wiki:Wiki#point0 Contents]) ([WikiStart#point0 Main page]) 131 ---- 132 '' How do I install an Atemio 7000 IRD image? '' 133 * Visit the Atemio homepage or the AAF digital forum and download the latest TitanNit firmware . ([#point8.15 IRD Download Locations]) 134 * Extract the zip file 135 * Now copy the unzipped IRD firmware file to a formatted FAT32 USB stick. 136 Note: The USB stick should not be formatted with windows. Use a separate program, such as the 137 " HP USB Disk Storage Format Tool" (freeware program). 138 Furthermore, we recommend a cheap USB stick with a small storage capacity as well as read and write speed. 139 * Turn off the Receiver and disconnect all USB devices. 140 * Connect the USB stick with the IRD file to your Receiver 141 * Switch on (mains switch) and at the same time hold the CH + on the unit (about 15 seconds) until "search IRD File ... " appears, 142 and the installation begins. Only then release the button 143 Note: If installation does not start , use a different USB stick. 144 * After successfully installing the receiver will reboot and the installed image should start-up 145 [[br]] 146 '''[wiki:Remote-Device-Control#point4.6 4.6 Bootloader sh4 Boxen]'''[[br]] 147 * [http://sbnc.dyndns.tv/trac/wiki/en/Remote-Device-Control#point4.6 iboot sh4 loader flashing and recovery ][[br]] 148 [#point8 Top of Page] 149 [[br]] 150 151 ---- 152 '''8.007 Uninstalling Titan''' [=#point8.007] ([wiki:Wiki#point0 Contents]) ([WikiStart#point0 Main page]) 153 ---- 154 If you have an Atemio (Atevio) receiver all you have to do is install your original ird file as explained above and no bootloader changes are neccessary. 155 156 157 [[br]] 158 [#point8 Top of Page] 159 [[br]] 160 161 ---- 162 '''8.008 Update TitanNit''' [=#point8.008] ([wiki:Wiki#point0 Contents]) ([WikiStart#point0 Main Page]) 163 ---- 164 There are two ways to update your TitanNit version and there are merits to both methods : 165 166 IRD offline method see above [#point8.00 SH4 Atemio contents] and select your Reciever model to show information on how to update titan using an IRD titannit image. 167 [[br]] 168 ''Note: using this method plugins and files stored to Flash will be formatted when the update is proformed. 169 Plugins and files installed to MNT (except on the ufs 910/922) or a valid configured storage device will retain there settings .'' 170 171 Image Online Method see [wiki:System-Update#point3.5.7 System update] for information on how preform an online update. 172 [[br]] 173 ''Note: using this method all plugins and settings are retained as long as they are not installed in flash.'' 174 [[br]] 175 [#point8 Top of Page] 176 [[br]] 177 178 ---- 179 '''8.009 IRD Download Locations''' [=#point8.009] ([wiki:Wiki#point0 Contents]) ([WikiStart#point0 Main Page]) 180 ---- 181 * [wiki:Manufactures#point13 13 Manufactures] - [http://atemio.de/index.php/software-updates Stable Images][[br]] 182 * [wiki:Community#point14 14 Community] - [http://www.aaf-digital.info/forum/downloads.php?do=cat&id=2 Stable Images] [http://www.aaf-digital.info/forum/pages.php?pageid=12 Nightly Images][[br]] 183 184 [[br]] 185 [#point8 Top of Page] 186 [[br]] -
wiki/pages/nl/Installation-Recovery-SH4-Fortis
r40540 r40542 1 [[TranslatedPages]] 2 ---- 3 '''SH4 Fortis (hardware profile)'''[=#point8.010] 4 ---- 5 6 Fortis is a Korean manufacture of satellite receivers that have a range of models that are compatible with TitanNit. These receivers were sold around the world to various resellers with customized bootloaders to lock them to a specific sales region, TitanNit installation is possible after the installation of a Atevio compatible bootloader. 7 8 '''SH4 Fortis Contents''' 9 10 * [#point8.011 8.011 SH4 Fortis based clone receiver detection based on hardware profile] 11 * [#point8.012 8.012 Fortis HS-7810 (Atemio510)] 12 * [#point8.013 8.013 Fortis HX-8200 (Atemio7600)] 13 * [#point8.014 8.014 Fortis HS-9510 (Atevio700)] 14 * [#point8.015 8.015 Fortis FS-9000/9200 (Atevio7000)] 15 16 '''Additional Info''' 17 18 * [#point8.012 8.016 Bootloader Installation] (required for a fortis/clone reciever to accept atemio software) 19 * [#point8.111 8.017 Uninstallation On other Fortis Receivers] 20 * [#point8.112 8.018 Update TitanNit] 21 * [#point8.113 8.019 IRD Download Location] 22 23 24 25 ---- 26 '''SH4 Fortis based clone receiver detection based on hardware profile''' [=#point8.011] 27 ---- 28 29 As it is virtually impossible to list every fortis clone box on this wiki and data would be repeated over and over again it is broken up into harware revisions to compair that to the atevio model of that box. 30 This list will help you select the correct image and bootloader for your clone reciever below is a specifications list check the back of your manual included with your receiver and look at the table below to select the correct hardware model. 31 See here for a full list of known Fortis ([wiki:Supported-Receivers#point7 Supported Receivers]) 32 33 {{{#!div style="width: 1000px; margin: auto" 34 ||'''Model System'''||'''Tuner'''||'''CPU'''||'''RAM'''||'''ROM (Flash)'''||'''USB'''||'''PVR Funktion'''||'''CardReader'''||'''Common interface'''||'''Display'''||'''Width'''||'''features'''|| 35 ||[#point8.015 Fortis FS-9000 HD PVR]||DVB-S/S2 2||STI_7101 266 Mhz||192MB||32MB||2||Internal 2.5 or 3.5 SATA, external via USB||1 (*2)||2||12-digit 5x7matrix||43 cm|| || 36 ||[#point8.015 Fortis FS-9200 HD PVR]||DVB-S/S2 2||STI_7101 266 Mhz||192MB||32MB||2||eSATA & USB||1 (*2)||2||12-digit 5x7matrix||34 cm|| || 37 ||[#point8.014 Fortis HS-9510]||DVB-S/S2 1||STI_7101 266 Mhz||192MB||32MB||1||USB||1 (*2)||2||8-digit 14segment||34 cm|| || 38 ||[#point8.013 Fortis HX-8200 HD PVR]||DVB-S/S2, DVB-T2, DVB-C 1/2||STI_7105 450 Mhz||256MB||64MB||3||Internal 2,5´´SATA-HDD external via eSATA + USB||2||2||12-digit 5x7matrix||34 cm||Plug&Play Tuner, Youtube, Browser, FreeTV+|| 39 ||[#point8.012 Fortis HS-7810 HD PVR]||DVB-S/S2 1||STI_7110 450 Mhz||256MB||32MB||2||USB||1||2||4-digit 7segment||26 cm||YouTube, Browser, FreeTV+|| 40 }}} 41 '''NOTE:'''[[BR]] 42 * The Fortis HS-7810 is a clone of the Atemio510/520 Models[[BR]] 43 * The Fortis HX-8200 is a clone of the Atemio7600 Model[[BR]] 44 * The Fortis HS-9510 is a clone of the Atemio700 clone Model[[BR]] 45 * The Fortis FS-9000/Fortis FS-9200 is a clone of the Atemio7000 Models 46 47 [[br]] 48 [#point8 Top of Page] 49 [[br]] 50 51 ---- 52 '''8.1 Fortis HS-7810 (Atemio510)''' [=#point8.012] ([wiki:Wiki#point0 Contents]) ([WikiStart#point0 Main page]) 53 ---- 54 '' How do I install an Atemio 510 IRD image? '' 55 * Visit the Atemio homepage or the AAF digital forum and download the latest TitanNit firmware . ([#point8.15 IRD Download Locations]) 56 * Extract the zip file 57 * Now copy the unzipped IRD firmware file to a formatted FAT32 USB stick. 58 Note: The USB stick should not be formatted with windows. Use a separate program, such as the 59 " HP USB Disk Storage Format Tool" (freeware program). 60 Furthermore, we recommend a cheap USB stick with a small storage capacity as well as read and write speed. 61 * Turn off the Receiver and disconnect all USB devices. 62 * Connect the USB stick with the IRD file to your Receiver 63 * Switch on (mains switch) and at the same time hold the CH + on the unit (about 15 seconds) until "search IRD File ... " appears, 64 and the installation begins. Only then release the button 65 Note: If installation does not start , use a different USB stick. 66 * After successfully installing the receiver will reboot and the installed image should start-up 67 [[br]] 68 [#point8 Top of Page] 69 [[br]] 70 ---- 71 '''8.4 Fortis HX-8200 (Atemio7600)''' [=#point8.013] ([wiki:Wiki#point0 Contents]) ([WikiStart#point0 Main page]) 72 ---- 73 '' How do I install an Atemio 7600 IRD image? '' 74 * Visit the Atemio homepage or the AAF digital forum and download the latest TitanNit firmware . ([#point8.15 IRD Download Locations]) 75 * Extract the zip file 76 * Now copy the unzipped IRD firmware file to a formatted FAT32 USB stick. 77 Note: The USB stick should not be formatted with windows. Use a separate program, such as the 78 " HP USB Disk Storage Format Tool" (freeware program). 79 Furthermore, we recommend a cheap USB stick with a small storage capacity as well as read and write speed. 80 * Turn off the Receiver and disconnect all USB devices. 81 * Connect the USB stick with the IRD file to your Receiver 82 * Switch on (mains switch) and at the same time hold the CH + on the unit (about 15 seconds) until "search IRD File ... " appears, 83 and the installation begins. Only then release the button 84 Note: If installation does not start , use a different USB stick. 85 * After successfully installing the receiver will reboot and the installed image should start-up 86 [[br]] 87 [#point8 Top of Page] 88 [[br]] 89 ---- 90 '''8.5 Fortis HS-9510 (Atevio700)''' [=#point8.014] ([wiki:Wiki#point0 Contents]) ([WikiStart#point0 Main page]) 91 ---- 92 '' How do I install an Fortis HS-9510 IRD image? '' 93 * Visit the Atemio homepage or the AAF digital forum and download the latest TitanNit firmware . ([#point8.15 IRD Download Locations]) 94 * Extract the zip file 95 * Now copy the unzipped IRD firmware file to a formatted FAT32 USB stick. 96 Note: The USB stick should not be formatted with windows. Use a separate program, such as the 97 " HP USB Disk Storage Format Tool" (freeware program). 98 Furthermore, we recommend a cheap USB stick with a small storage capacity as well as read and write speed. 99 * Turn off the Receiver and disconnect all USB devices. 100 * Connect the USB stick with the IRD file to your Receiver 101 * Switch on (mains switch) and at the same time hold the CH + on the unit (about 15 seconds) until "search IRD File ... " appears, 102 and the installation begins. Only then release the button 103 Note: If installation does not start , use a different USB stick. 104 * After successfully installing the receiver will reboot and the installed image should start-up 105 [[br]] 106 [#point8 Top of Page] 107 [[br]] 108 ---- 109 '''8.6 Fortis FS-9000/9200 (Atevio7000)''' [=#point8.015] ([wiki:Wiki#point0 Contents]) ([WikiStart#point0 Main page]) 110 ---- 111 '' How do I install an Fortis FS-9000/9200 IRD image? '' 112 * Visit the Atemio homepage or the AAF digital forum and download the latest TitanNit firmware . ([#point8.15 IRD Download Locations]) 113 * Extract the zip file 114 * Now copy the unzipped IRD firmware file to a formatted FAT32 USB stick. 115 Note: The USB stick should not be formatted with windows. Use a separate program, such as the 116 " HP USB Disk Storage Format Tool" (freeware program). 117 Furthermore, we recommend a cheap USB stick with a small storage capacity as well as read and write speed. 118 * Turn off the Receiver and disconnect all USB devices. 119 * Connect the USB stick with the IRD file to your Receiver 120 * Switch on (mains switch) and at the same time hold the CH + on the unit (about 15 seconds) until "search IRD File ... " appears, 121 and the installation begins. Only then release the button 122 Note: If installation does not start , use a different USB stick. 123 * After successfully installing the receiver will reboot and the installed image should start-up 124 [[br]] 125 [#point8 Top of Page] 126 [[br]] 127 128 '''Aditional Info''' 129 ---- 130 '''8.012 installation on other Fortis Receivers''' [=#point8.016] ([wiki:Wiki#point0 Contents]) ([WikiStart#point0 Main page]) 131 ---- 132 '''Installation Notes:''' 133 134 ''If you wish to try or install titan you need to install an Atemio/Atevio factory loader. The original Atemio Bootloader has a security code within so an installation of Titan is not possible with any other fortis loader'' 135 136 ''If you wish to install Titan the loader version must be 1.54 or above. Titan versions above 1.32 require the new Iboot loader which needs to be installed first if not present.'' 137 138 ''There are various ways that are explained below:'' 139 140 [[br]] 141 142 '''AAF Recovery Tool (ART) method''' 143 144 * Install the AAF Recovery Tool (ART) and set up a connection to your receiver 145 * Set the IP address and subnet mask of your uboot environment. 146 * Reboot the receiver and reconnect to change the settings. 147 * Install the factory loader and reboot. 148 * The factory loader you installed is version 1.21 that you have to update to 1.54 to be compatible with Titan 149 * Visit the [http:((www-atemio.de Atemio] homepage or the [http://www.aaf-digital.info/forum AAF digital forum] and download the latest Atevio/Atemio loaader (1.54). 150 * Extract the zip file 151 * Now copy the unzipped IRD firmware file to a formatted FAT32 USB stick. 152 Note: The USB stick should not be formatted with windows. Use a separate program, such as the 153 "HP USB Disk Storage Format Tool" (freeware program). 154 Furthermore, we recommend a cheap USB stick with a small storage capacity as well as read and write speed. 155 * Turn off the receiver and disconnect all USB devices. 156 * Connect the USB stick with the IRD file to your receiver 157 * Switch on (mains switch) and at the same time hold the CH + on the unit (about 15 seconds) until "search IRD File ... " appears, 158 and the installation begins. Only then release the button 159 Note: Should the installation not start, try a different USB stick. 160 * Should you have installed the loader successfully the receiver will reboot and the installed Loader should start-up. 161 162 ''You may now install Titan'' 163 [[br]] 164 [#point8 Top of Page] 165 [[br]] 166 167 '''Cross Flash Method''' 168 169 ''This method explains how to install the HDF bootloader flash plugin to your fortis receiver and flash an Atemio/Atevio compatible bootloader from the plugin menu.'' 170 171 * Download the HDF Bootloader flash plugin from the [http://www.aaf-digital.info/forum AAF Digital forum]. 172 * Extract the zip file 173 * Now copy the unzipped Plugin folder to a formatted FAT32 USB stick. 174 Note: The USB stick should not be formatted with windows. Use a separate program, such as the 175 " HP USB Disk Storage Format Tool" (freeware program). 176 Furthermore, we recommend a cheap USB stick with a small storage capacity as well as read and write speed. 177 * go to the plugins section in your receiver and install the plugin and then start it. 178 * type in the password contained in the zip file and follow the onscreen prompts. 179 * Should you have installed the loader successfully the receiver will reboot and the installed Loader should start-up. 180 181 ''You may now install TitanNit'' 182 [[br]] 183 [#point8 Top of Page] 184 [[br]] 185 186 '''Reseller Changer Tool Method''' 187 188 ''This method explains how to change the Reseler ID of an Atemio/Atevio compatible bootloader and flash it to any compatible Fortis receiver from the plugin menu.'' 189 190 191 * Visit the [http://www.atemio.de Atemio] homepage or the [http://www.aaf-digital.info/forum AAF digital forum] and download the latest Atevio/Atemio loader. 192 * Extract the zip file 193 * use the reseller ID changer tool and change the IRD to that of your reseller ID. 194 * Now copy the unzipped IRD firmware file to a formatted FAT32 USB stick. 195 Note: The USB stick should not be formatted with windows. Use a separate program, such as the 196 " HP USB Disk Storage Format Tool" (freeware program). 197 Furthermore, we recommend a cheap USB stick with a small storage capacity as well as read and write speed. 198 * Turn off the Receiver and disconnect all USB devices. 199 * Connect the USB stick with the IRD file to your Receiver. 200 * Switch on (mains switch) and at the same time hold the CH + on the unit (about 15 seconds) until "search IRD File ... " appears, 201 and the installation begins. Only then release the button 202 Note: If installation does not start , use a different USB stick. 203 * Should you have installed the loader successfully the receiver will reboot and the installed Loader should start-up. 204 205 206 This method requires you to also change the reseller ID to be able to install TitanNit. 207 208 209 '''Be aware should it the installation fail or a loss of Power occur during the flashing process you could brick your receiver as there is no recovery method. Compatibility with other receivers is not guaranteed but you may find a list of compatible receivers in the [wiki:Supported-Receivers#point7 Supported Receivers] section.''' 210 [[br]] 211 [#point8 Top of Page] 212 [[br]] 213 ---- 214 '''8.111 Uninstalling Titan''' [=#point8.017] ([wiki:Wiki#point0 Contents]) ([WikiStart#point0 Main page]) 215 ---- 216 If you have an Atemio/Atevio or UFS receiver all you have to do is install your original ird file as explained above and no bootloader changes are neccessary. 217 218 Uninstalling titan and switching back to the original reseller loader can't be done (easily) for other fortis receivers but there is one simple alternative method outlined below. 219 220 221 '''Uninstalling Titan on non Atemio/Atevio receiver and restore Reseller ID with Maxi-uboot''' 222 223 If you have iboot installed then you must install a version of TitanNit older than 1.32 before using this method. 224 225 This will install the factory Atemio loader that is compatible with the AAF Recovery Tool (ART) to be able to install the Maxiuboot Loader. 226 227 In order for this method to work make sure the setting Allow __"Iboot Update"__ is enabled in [wiki:Remote-Device-Control#point4.6 Iboot]. 228 229 When successfully achieved you may start up ART from your PC and install Maxiuboot. 230 231 [[br]] 232 233 Once installed you may set up your bootargs and change your Reseller ID back to its factory settings. For flashin original Firmware or other Software please refere to your receivers' manual or instructions. 234 [[br]] 235 [#point8 Top of Page] 236 [[br]] 237 238 ---- 239 '''8.112 Update TitanNit''' [=#point8.018] ([wiki:Wiki#point0 Contents]) ([WikiStart#point0 Main Page]) 240 ---- 241 There are two ways to update your TitanNit version and there are merits to both methods : 242 243 IRD offline method see [#point8 Installation / Recovery] and select your Reciever model to show information on how to update titan using an IRD titannit image. 244 [[br]] 245 ''Note: using this method plugins and files stored to Flash will be formatted when the update is proformed. 246 Plugins and files installed to MNT (except on the ufs 910/922) or a valid configured storage device will retain there settings .'' 247 248 Image Online Method see [wiki:System-Update#point3.5.7 System update] for information on how preform an online update. 249 [[br]] 250 ''Note: using this method all plugins and settings are retained as long as they are not installed in flash.'' 251 [[br]] 252 [#point8 Top of Page] 253 [[br]] 254 255 ---- 256 '''8.113 IRD Download Locations''' [=#point8.019] ([wiki:Wiki#point0 Contents]) ([WikiStart#point0 Main Page]) 257 ---- 258 * [wiki:Manufactures#point13 13 Manufactures] - [http://atemio.de/index.php/software-updates Stable Images][[br]] 259 * [wiki:Community#point14 14 Community] - [http://www.aaf-digital.info/forum/downloads.php?do=cat&id=2 Stable Images] [http://www.aaf-digital.info/forum/pages.php?pageid=12 Nightly Images][[br]] 260 261 [[br]] 262 [#point8 Top of Page] 263 [[br]] -
wiki/pages/nl/Installation-Recovery-SH4-Homecast
r40540 r40542 1 [[TranslatedPages]] 2 ----