No colors in termite output :(

Hi,
my termite gives me no colors at all in the output of anything (e.g. ls -l) -- just foreground gray. I'm now fumbling around with it for hours!
Any ideas? It was once working but I didn't have the time to look after it. TERM xterm-termite is in the ~/.dircolors.
Thanks and cheers,
Stephan
Last edited by smoneck (2014-10-15 11:39:48)

Problem found: See here.

Similar Messages

  • Can you change the color of the output in the console?

    When you run your program using NetBeans the color of the output in the console window is black. Is there any way to change the color of the output to say blue?

    Hi AJL,
    There is no way to color rows of the table control in a SUDialog. You could consider using the ActiveX container control and using the Microsoft ActiveX table control, which might have that functionality. Note though, that then you need to either ensure that control is always on all your client machines or make provisions for it to be installed/registered.
    Brad Turpin
    DIAdem Product Support Engineer
    National Instruments

  • Color shell/script output in bash/zsh

    So, I wanted to have an easy way to color my script output. In zsh there is a color module, but as far as I know it does only bold for special effects. Also there are some scripts around that let you call a predefined array, but there aren't any where you can combine options easily, like both bold and italic. ansi-color comes close, but it has almost 250 lines of code and I thought it could be done more efficiently. So here's color, both in a zsh and a bash variant (the shebang and the way of defining an array being the only difference).
    Save as "color" in your path, or wrap it in a function to store in either .bashrc or .zshrc. color --help for instructions. Let me know what you think, if it has bugs or if the coding can be more efficient or better (I did this mostly as a programming exercise, it's not *that* useful.
    ZSH color
    #!/bin/zsh
    color-usage() {
    cat <<"USAGE"
    Usage: color [OPTIONS] <color>
    -b|--bold for bold text
    -i|--italic for italic text
    -u|--underline for underlined text
    -f|--flash for blinking text, not possible together with --bg
    -r|--reverse to switch fg and bg colors
    -/--bg <color> for background color
    -d|--dark for fainted / less intense colors (your terminal may not support this)
    -x|--invisible for invisible text (your terminal may not support this)
    -ff|--fastflash for fast blinking text (your terminal may not support this), not possible together with --bg
    Color can be: black, red, green, yellow, blue, magenta, cyan, white and lightblack, lightred etc.
    Use "color" without specifying the color to reset to default.
    Notes:
    1. You can not use blink in combination with --bg, but you can do -r instead and define <color> as desired bg-color. Example: color -f -r blue lets black text blink on blue background. This means you have the bg color as text color, which can't be changed."
    2. Append $(color) behind the string you have formatted, or the color sequence may stay in effect, especially in bash.
    3. You can combine options like -b -i -f, but be sensible; -x -f is not sensible; neither is -d lightred.
    Examples:
    echo "This is $(color -f -i lightred)blinking italic lightred text$(color)"
    echo "This is $(color -bg blue white)white text on blue bg$(color)"
    echo "This shows words in $(color green)green $(color magenta)magenta $(color)and the rest normal"
    echo "This shows $(color -f -r cyan)bold blinking text on cyan background$(color)"
    USAGE
    # Define and create array "colors"
    typeset -Ag colors
    colors=( black "0" red "1" green "2" yellow "3" blue "4" magenta "5" cyan "6" white "7" )
    # Loop to read options and arguments
    while [ $1 ]; do
    case "$1" in
    '-h'|'--help') color-usage;;
    '-b'|'--bold') mode="${mode}1;";;
    '-d'|'--dark') mode="${mode}2;";;
    '-i'|'--italic') mode="${mode}3;";;
    '-u'|'--underline') mode="${mode}4;";;
    '-f'|'--flash') mode="${mode}5;";;
    '-ff'|'--fastflash') mode="${mode}6;";;
    '-r'|'--reverse') mode="${mode}7;";;
    '-x'|'--invisible') mode="8;";;
    '-bg'|'--bg') case "$2" in
    light*) bgc=";10${colors[${2#light}]}"; shift;;
    black|red|green|yellow|blue|magenta|cyan|white) bgc=";4${colors[$2]}"; shift;;
    esac;;
    'reset') reset=true;;
    *) case "$1" in
    light*) fgc=";9${colors[${1#light}]}";;
    black|red|green|yellow|blue|magenta|cyan|white) fgc=";3${colors[$1]}";;
    *) echo The color loop is buggy or you used it wrong;;
    esac;;
    esac
    shift
    done
    # Set color sequence
    mode="${mode%;}" # strip ";" from mode string if it ends with that
    echo -e "\e[${mode:-0}${fgc}${bgc}m" # (default value for mode = 0, so if nothing was set, go default; -e to please bash)
    unset mode intensity bgc fgc # clean up
    BASH color
    #!/bin/bash
    color-usage() {
    cat <<"USAGE"
    Usage: color [OPTIONS] <color>
    -b|--bold for bold text
    -i|--italic for italic text
    -u|--underline for underlined text
    -f|--flash for blinking text, not possible together with --bg
    -r|--reverse to switch fg and bg colors
    -/--bg <color> for background color
    -d|--dark for fainted / less intense colors (your terminal may not support this)
    -x|--invisible for invisible text (your terminal may not support this)
    -ff|--fastflash for fast blinking text (your terminal may not support this), not possible together with --bg
    Color can be: black, red, green, yellow, blue, magenta, cyan, white and lightblack, lightred etc.
    Use "color" without specifying the color to reset to default.
    Notes:
    1. You can not use blink in combination with --bg, but you can do -r instead and define <color> as desired bg-color. Example: color -f -r blue lets black text blink on blue background. This means you have the bg color as text color, which can't be changed."
    2. Append $(color) behind the string you have formatted, or the color sequence may stay in effect, especially in bash.
    3. You can combine options like -b -i -f, but be sensible; -x -f is not sensible; neither is -d lightred.
    Examples:
    echo "This is $(color -f -i lightred)blinking italic lightred text$(color)"
    echo "This is $(color -bg blue white)white text on blue bg$(color)"
    echo "This shows words in $(color green)green $(color magenta)magenta $(color)and the rest normal"
    echo "This shows $(color -f -r cyan)bold blinking text on cyan background$(color)"
    USAGE
    # Define and create array "colors"
    declare -A colors
    colors=( [black]="0" [red]="1" [green]="2" [yellow]="3" [blue]="4" [magenta]="5" [cyan]="6" [white]="7" )
    # Loop to read options and arguments
    while [ $1 ]; do
    case "$1" in
    '-h'|'--help') color-usage;;
    '-b'|'--bold') mode="${mode}1;";;
    '-d'|'--dark') mode="${mode}2;";;
    '-i'|'--italic') mode="${mode}3;";;
    '-u'|'--underline') mode="${mode}4;";;
    '-f'|'--flash') mode="${mode}5;";;
    '-ff'|'--fastflash') mode="${mode}6;";;
    '-r'|'--reverse') mode="${mode}7;";;
    '-x'|'--invisible') mode="8;";;
    '-bg'|'--bg') case "$2" in
    light*) bgc=";10${colors[${2#light}]}"; shift;;
    black|red|green|yellow|blue|magenta|cyan|white) bgc=";4${colors[$2]}"; shift;;
    esac;;
    'reset') reset=true;;
    *) case "$1" in
    light*) fgc=";9${colors[${1#light}]}";;
    black|red|green|yellow|blue|magenta|cyan|white) fgc=";3${colors[$1]}";;
    *) echo The color loop is buggy or you used it wrong;;
    esac;;
    esac
    shift
    done
    # Set color sequence
    mode="${mode%;}" # strip ";" from mode string if it ends with that
    echo -e "\e[${mode:-0}${fgc}${bgc}m" # (default value for mode = 0, so if nothing was set, go default; -e to please bash)
    unset mode intensity bgc fgc # clean up

    Soemthing like this will work

  • Placed rasters shift colors in PDF output

    Hi all,
    New to the forum but been working with CS tools for many years now. I'm sure this problem is fairly straightforward but it has me completely stumped.
    This problem has surfaced recently; I've noticed it before but the situations were never as severe. It appears that when I place a raster on a page, the colors of the other objects on the page change. This happens only on the page where the graphic is placed, and only with raster images; vector graphics and text etc. are fine. File types also do not change the result; the issue happens with BMP, PSD, JPG, with or without transparency.
    The document is strictly for viewing as a presentation on-screen, via PDF. I am maticulous in making sure all the objects are in RGB color space and sRGB is used wherever possible.
    In the image below, the graphic on the left slide is a raster with transparency from PS, and on the right slide a vector graphic (PDF from Visio). The blue background is a rectangle on the master filled with a spot color (0, 44, 119 / Pantone 288C), and the text is on the page in a frame from the master. The text and blue background appear correctly on the right slide, and seem somewhat flatter on the left slide. This is only apparent in PDF form, on-screen in ID they both look correct.
    Anyone have any advice? Thanks in advance for your help.

    Hey all. thanks for the replies; I am closer but further from a solution. I have experimented with your suggestions and this is what I found:
    I re-assigned sRGB to the document and checked that Transparency Blend Space was Document RGB, no change.
    Exporting to PDF/X-4 does resolve the issue IF the Blue stays as a spot color.
    Exporting to PDF/X-4 with the Blue as a process color results in all pages appearing "faded", including those that are text-only, except those with shapes (simple rectanges/lines) or .ai vector graphics, with shadows.
    Exporting to PDF/X-1a results in all pages appearing "faded" regradless of content.
    Although PDF/X-4 and spot colors results in proper appearance, I am actually producing an Interactive PDF (transitions, embedded flash objects), and once you select "Interactive", the dialog for export options is totally different than the "Print" dialog, and there are no color options at all, so what I need is to resolve the issue pre-export, somewhere in my other settings. Swapping Spot Vs. Process colors (as Rob indicated) had no effect when exporting to Interactive.
    I did notice that the option in PDF/X-4 that caused the change was on the "Output" tab, having "Output Intent Profile Name" set to standard (Document CMYK - U.S. Web Coated). If I enable that setting on any export profile and use spot colors, everything is correct (except the lack of interactive elements)
    I also tried switching Color Management Policies ("Convert to Working Space" Vs. "Preserve Embedded Profiles") in Color Settings, no change.
    Any other ideas? Thanks for the input!

  • Color Balance File Output - A Basic Question

    Hello,
    A basic question: if I want to bring uncorrected QT files into Color for auto balancing, do I have to bring the rendered files into FCP in order to finish the files as self contained QT files? Is there a way in Color to output the new files, bypassing FCP?
    If I can do this, what is a recommended workflow for automating this process: bringing hundreds of clips into Color, batch auto balancing the files, and outputting the corrected files to a watch folder?
    Thanks!

    Stuart Baker2 wrote:
    If I can do this, what is a recommended workflow for automating this process: bringing hundreds of clips into Color, batch auto balancing the files, and outputting the corrected files to a watch folder?
    Have you actually tried the Auto Balancing feature? There was a recent thread on it you might want to dig up.
    I doubt it'll work the way you want and is more likely to make a shot worse than improve it.
    AFAIK, it's not something that's scriptable. Go Help > User Manual for how to import shots bypassing FCP. It's covered extensively and clearly.
    HTH.
    - pi

  • Alt row color in grouped output

    I've always used the following code to alternate row colors
    in a table of CFOUTPUT:
    <tr bgcolor="#IIf(query.currentRow Mod 2, DE('cfcfcf'),
    DE('eeeeee'))#">
    However, when I use this code in a table with grouped output,
    I get unpredictable row colors. For example, the first two rows
    will be color1, the next two color2, then the next few rows will
    alternate like I want.
    I'm attaching the code I'm currently working on.
    Any ideas how to get the alt row colors to display properly?
    Thanks in advance...

    Sorry, my initial search to find the answer came up nill.
    When I searched again I found the answer which I'm pasting below.
    It worked great.
    ===========================================================================
    when you use the GROUP attribute of CFOUTPUT, your data is no
    longer being output in the same order in which it was retrieved.
    the CURRENTROW variable is no longer in chronological order (you're
    displaying the first grouped element, then 1-n members of that
    group, then repeating).
    you'd need to set an iterating variable.
    <cfset myRowCountVar = 0 />
    <cfoutput query="q_remnts_f3" group="req_Cat">
    <cfset myRowCountVar = myRowCountVar + 1 />
    (now use 'myRowCountVar' to key off of to determine the
    background color rather than currentrow)
    charlie griefer (CJ)
    http://charlie.griefer.com
    @ #coldfusion / DALnet
    =================================================================================

  • Changing colors depending on output variable

    Hi there,
    I am pretty new to LabVIEW, using it for my dissertation at university. I looked for similar questions on this and other forums but can't seem to find an answer.
    What I'm trying to do is change the color of a graphic depending on the value of another variable. I'm calculating the temperatures inside a gas turbine, and would like to represent the temperature changes graphically for better understanding. So I have output values for different temperatures, which change with mass flow rate of fuel into the engine. How can I make a graphic change it's colors depending on the value of temperature?
    Thanks a lot,
    Fabian

    Do you mean something like this ? Run the VI and change the value of Thermometer.
    Attachments:
    Change BG of chart.vi ‏16 KB

  • [solved] How to remove color from yaourt output?

    Hi everyone,
    I am having a problem with removing color output from yaourt.
    In order to get a list of installed packages in kdemod-core, I execute the following:
    yaourt -Qs ^kdemod | grep kdemod-core | awk '{print $1}' > kdefiles.txt
    Some time ago colored output was usually lost when piping commands. For some reason it is not removed anymore so that I get the following file content:
    [1;35mkdemod-core/[0m[0m[1mkdemod-kde-common
    [...] and so on
    Of course pacman doesn't understand this anymore:
    pacman -S `cat kdefiles.txt`
    Btw. The same options (-Qs ) with pacman search only locally installed packages.
    Any ideas?
    Thanks,
    David
    Last edited by dcrabs (2009-05-31 10:47:57)

    skottish wrote:
    dcrabs wrote:Btw. The same options (-Qs ) with pacman search only locally installed packages.
    Any ideas?
    pacman -Ss searches on-line.
    Thanks, but then I don't have the packages that are installed. It is of course much faster and without color but doesn't solve my problem.
    Then only thing I could find so far was a statement, that piping through less for example removes color for security reasons. That doesn't seem to be true any more.
    There is a col command which outputs plain text but there are still characters left.

  • How to print background grey color in script output of header part

      Hi Experts,
             I had developed SAP SCRIPT, in that there are no. of line items based on line items the color should get change i.e suppose first line items rows should print grey while second  items  rows should not, third line items rows again should print grey and fourth should not...as on... with header cells will come background colour grey.Anyone can help me for this requirement.
        How we can color the rows in sap script.
    Thanks.

    Hi,
    From what I understand of SAPScript, it's next to impossible to dynamically draw lines in the MAIN window. I guess this also applies to grey backgrounds since you'd need to define the exact position of a box.
    Better use Smartforms or Adobe forms.
    If you find out how to achieve this, I'm interested to know how you do this :-)
    Good luck!
    Best regards,
    Zhou

  • Internal display color is wrong, outputs just fine.  GPU or lcd trouble?

    Hi there, I'm doing some troubleshooting for a clients son.  He has a 2008 macbook air, A1237.  It boots, but the internal display looks all wrong.  The colors are low res and very washed out.  However, when I have it connected to an external monitor the display appears fine.  Even when holding down option on boot, the graphics are the same washed out quality.  I have a couple pictures here.  For some reason the kid completely removed OSX and has Win7 installed... I can't explain that.  Anyway, I was wondering if anyone has come across this and if you're thinking it's a GPU issue or maybe just a broken display.  I tried to determine if the kid had been rough with it and he insists he just turned it on one day and it was like this. No external damage from what I can see. I've attached a picture showing the two displays side-by-side.
    If anyone can help me determine where the problem is I would be very grateful.

    So, a quick update. I started by checking the display cable connection on the logic board.  It appeared fine but I re-seated it anyway.  But the display was the same. I then blew out the Win7 installation and re-installed Snow Leopard.  Throughout the install and the subsequent boot up the internal display was the same as it had been; all the colors looked inverted, dark and lo-res.  So I hooked up an external monitor to check out some statistics and when I first connected it, it showed up as an extended display.  I chose to mirror the display and the internal display turned back to normal!  All bright and Snow Leopard purple!  I rebooted and the white screen showed up on start, where before it had been black.  For one moment on reboot the white did invert to black, but only for a moment.  It's currently back to the desktop, looking normal and I'm running updates.  Any ideas here, at all?

  • Changing font colors within an output string

    Hi,
    I'm not sure if this can even be done, if so I have no clue of what to research to try it. Maybe someone knows or could shed some light on this.
    I have numerious pages that are using the following code to set page titles:
    <cfset pagetitle = "ACCOUNT SIGN-IN">
    Then there is one template page that will display these page titles within a header on the page accordingly.  It uses the following code:
    <cfoutput><div style="padding-top:20px;padding-left:8px;">#ucase(pagetitle)#</div></cfoutput>
    My problem is this, I need to figure out a way to make everything in the page title after the first word a different color.  So in this example above "ACCOUNT" would stay the default color then " SIGN-IN" needs to be blue.
    Any thoughts?  Thanks in advance!

    > a way to make everything in the page title after the first word a different color.
    > So in this example above "ACCOUNT" would stay the default color then
    > " SIGN-IN" needs to be blue.
    <cfset titleFirstWord = listGetAt(pagetitle,1," ")>
    <cfset restPageTitle = listRest(pagetitle, " ")>
    <cfoutput><div style="padding-top:20px;padding-left:8px;"><span>#ucase(titleFirstWord)#</span> <span style="color:blue">#ucase(restPageTitle)#</span></div></cfoutput>

  • Problem w/ Color on Second Output - TV

    I have a GeForceFX5600XT-TD128 video card.  I just installed the latest set of drivers from NVidia - 56.72.
    I am trying to use the little 4 pin Video Out connector to connect to a TV in order to record to VideoTape a powerpoint presentation.  Anyway.  I have the connector supplied with the card to an RCA cord (about 6'  long) connected to my TV's video input.
      I can get the video card to go into "clone mode".  What I see on the Monitor is what I see on the TV screen ... Except the TV screen is NOT in Color.
    Any suggestions?
    Please help

    So it works ok on the primary TV. I authorized it on the second TV and it seemed to authorize fine. But when I try to watch a show, I get the spinning wheel before it says I can't access at this time, try again later. It's been over a week now with the same result each time. Unfortunately, I can't call HBO support, because reasons. Thanks for any help.

  • 16-bit color depth SVG output?

    Bon día to you all,
    I have a very dumb question... How do I output 16-bit SVG files from Illustrator?
    I've been working with Illustrator for what has seemed an eternity but have never ventured into the realm of SVG. Now I have found myself with the need to do some test files for a customer and they are requesting to see 16-bit SVG output. We have been doing files for this customer but up until now these have been 8-bit JPG output from EPS originals (using the save for web feature).
    I did my homework and searched through the Adobe forums (and other web sources) but couldn't find much information on this topic. If anyone has a suggestion, a link or anything that sheds any light over my head on this matter I will forever be greatful.
    Thanks and have a great day.
    Ciao,
    H. Babilonia

    Then open and rasterize in Photoshop, where you can specify both the resolution and bit depth.
    Jeffery, It seems like that should work, but if you look closely at the histograms it doesn't look like you get 16-bits of gray levels. Here's a black to white blend exported to PDF/X-4 and opened as 8 and 16 bit CMYK. The black channel histograms are the same:
    If there were more than 256 levels of gray in the 16-bit version I should be able to make a correction without gaps showing in the histogram, but that doesn't happen:
    If I make the black channel blend in Photoshop I can make the same correction without gaps:

  • Displaying JobTicket colorant data in Output Preview dialog.

    Hi,
    my task is to create plug-in which extends functionality of Output Preview dialog. It should display actual state of all Separations and Inks specified in PDF JobTicket.
    I supposed to use AVPageViewSetVisibleInks/AVPageViewGetVisibleInk but they do something different that I need.
    Are there any ways to set/change Separations and Inks in Output Preview dialog via Adobe SDK?
    Thanks!

    You can't update or extend existing dialogs. You'd have to provide a
    complete new function.
    Aandi Inston

  • Exporting InDesign to PDF: resolution output / Distiller Color Management

    Specs:
    Power PC G5, Mac OS X 10.4.11
    InDesign Middle Eastern Version CS3
    Acrobat 9.0
    Distiller 9.0
    Thanks to anyone who can answer any of these questions for me.
    I am sending files to a printer who has requested either PDF files directly from InDesign (file-export) or run through Distiller then into Acrobat
    (default setting of “PDF/X-1a:2001”).
    Question 1: Resolution
    They also have the instructions "PDF Output resolution should be set to 600dpi." Is this referring to the Compression pane (Bicubic Downsampling to 300)? I called the printer to confirm if this is what they were referring to, but was told they don't answer questions about making PDFs and that's why they encourage people to use their in-house designers.)
    Question 2: Color Management
    For the Distiller/Acrobat option, they have an instructional PDF which I followed, but on the Color Management Pane, they choose the option for Color Handling: "Let InDesign Determine Colors" and the Output color is Composite Gray. But when I get to the color handling option, I only have 2 options: "let PostScript determine" or "no color management." How do I get the InDesign option?
    Question 3: Grayscale Text
    Another requirement is that the "Interior text should be submitted as grayscale only." In Acrobat I can preflight and change to grayscale. But will solving the problem of #2 in creating a PostScript file take care of this?
    Question 4: Error in Distiller
    I get this error when I open Distiller: "Error in /Library/Application Support/Adobe/Adobe PDF/Settings/PDFX4 2007.joboptions:
    /CheckCompliance out of range" However, the Postscript file goes through just fine as far as I can tell. I found a forum post on this and the basic idea seemed to be "ignore it." Is that a correct interpretation?

    Jennifer Hearing wrote:
    Specs:
    Power PC G5, Mac OS X 10.4.11
    InDesign Middle Eastern Version CS3
    Acrobat 9.0
    Distiller 9.0
    Thanks to anyone who can answer any of these questions for me.
    I am sending files to a printer who has requested either PDF files directly from InDesign (file-export) or run through Distiller then into Acrobat
    (default setting of “PDF/X-1a:2001”).
    Question 1: Resolution
    They also have the instructions "PDF Output resolution should be set to 600dpi." Is this referring to the Compression pane (Bicubic Downsampling to 300)? I called the printer to confirm if this is what they were referring to, but was told they don't answer questions about making PDFs and that's why they encourage people to use their in-house designers.)
    Question 2: Color Management
    For the Distiller/Acrobat option, they have an instructional PDF which I followed, but on the Color Management Pane, they choose the option for Color Handling: "Let InDesign Determine Colors" and the Output color is Composite Gray. But when I get to the color handling option, I only have 2 options: "let PostScript determine" or "no color management." How do I get the InDesign option?
    Question 3: Grayscale Text
    Another requirement is that the "Interior text should be submitted as grayscale only." In Acrobat I can preflight and change to grayscale. But will solving the problem of #2 in creating a PostScript file take care of this?
    Question 4: Error in Distiller
    I get this error when I open Distiller: "Error in /Library/Application Support/Adobe/Adobe PDF/Settings/PDFX4 2007.joboptions:
    /CheckCompliance out of range" However, the Postscript file goes through just fine as far as I can tell. I found a forum post on this and the basic idea seemed to be "ignore it." Is that a correct interpretation?
    1: This, only down samples your resolutions so they are capped. You would need to make sure your Links are 600dpi or better. (TECHNICALLY this is PPI). Now normally I wouldn't hard *** someone over the difference, but considering there is NO DPI setting I'm aware of (again its PPI) pointing out their error may just get them to explain a bit more what they mean.
    2: You can not create an X1a compliant greyscale file.
    3: I would guess here they simply mean don't use rich black or multiplate text. This would be due to registration. Just stick to K (black only) and you should be fine.
    4: I would not even use distiller for this, stick with Export to PDF.
    To be honest this part
    I called the printer to confirm if this is what they were referring to, but was told they don't answer questions about making PDFs and that's why they encourage people to use their in-house designers.)
    Would have me looking elseware ASAP. The answer would have taken two seconds from anyone whose head wasn't firmly planted south of their shoulders.

Maybe you are looking for

  • I am using CC adobe Acrobat to combine multiple pdfs and add page numbers. Mac users can no longer read the page numbers but pc users can.

    I am using CC adobe Acrobat to combine multiple pdfs and add page numbers. As of about 2 weeks ago the mac users can no longer read the page numbers they get a font error message and see only -- where the page information should be. The pc users do n

  • SD Document Changes Issue

    Hi, We have a special scenario in our system in which one contract is used for multiple sales orders, but once contract item is referenced to sales order, the contract item data should not be changed (While change of the other items is possible). The

  • Download other than itunes?

    I recently received an ipod touch 1st gen and want to know if the only place I can downlown music from is itunes.

  • JDeveloper: Select in Navigator Alt-Home

    Hi all I often have the case to edit files in different projects and applications within a single JDev instance. Sometimes it happens that I edit a similarly named file and do not immediatelly see to which project it belongs. In eclipse it is possibl

  • True stereo - export audio to movie bug?

    I've been testing a mix using wide stereo elements. when bouncing normally the mix is as expected. when using 'export to movie' function, i'm getting a 'false' stereo mix laid back, not whats in my arrangement. sounds like a mono mix thats been made