Question about JAI posted example?

Thank you
I just wondered if I could ask, I found this example JAI code on the web. The code compiles, but in the example said they missed out some lines at the begining, do you these missing lines were to read-in a image?
import java.awt.*;
import java.awt.image.*;
import javax.media.jai.*;
public class CreateRGBImage{
   public static void main(String[] args){
      int width = 121; int height = 121; // Dimensions of the image
      byte[] data = new byte[width*height*3]; // Image data array.
      int count = 0; // Temporary counter.
      for(int w=0;w<width;w++) // Fill the array with a pattern.
         for(int h=0;h<height;h++){
            data[count+0] = (count % 2 == 0) ? (byte)255: (byte) 0;
            data[count+1] = 0;
            data[count+2] = (count % 2 == 0) ? (byte) 0: (byte)255;
            count += 3;
      // Create a Data Buffer from the values on the single image array.
      DataBufferByte dbuffer = new DataBufferByte(data,width*height*3);
      // Create an pixel interleaved data sample model.
      SampleModel sampleModel = RasterFactory.
      createPixelInterleavedSampleModel(DataBuffer.TYPE_BYTE,
      width,height,3);
      // Create a compatible ColorModel.
      ColorModel colorModel = PlanarImage.createColorModel(sampleModel);
      // Create a WritableRaster.
      Raster raster = RasterFactory.createWritableRaster(sampleModel,dbuffer,
      new Point(0,0));
      // Create a TiledImage using the SampleModel.
      TiledImage tiledImage = new TiledImage(0,0,width,height,0,0,
      sampleModel,colorModel);
      // Set the data of the tiled image to be the raster.
      tiledImage.setData(raster);
      // Save the image on a file.
      JAI.create("filestore",tiledImage,"rgbpattern.tif","TIFF");
}

I didnot go thru the code you posted but I know that the following workstry {
        // From file
        AudioInputStream stream = AudioSystem.getAudioInputStream(new File("audiofile"));
        // From URL
        stream = AudioSystem.getAudioInputStream(new URL("http://hostname/audiofile"));
        // At present, ALAW and ULAW encodings must be converted
        // to PCM_SIGNED before it can be played
        AudioFormat format = stream.getFormat();
        if (format.getEncoding() != AudioFormat.Encoding.PCM_SIGNED) {
            format = new AudioFormat(
                    AudioFormat.Encoding.PCM_SIGNED,
                    format.getSampleRate(),
                    format.getSampleSizeInBits()*2,
                    format.getChannels(),
                    format.getFrameSize()*2,
                    format.getFrameRate(),
                    true);        // big endian
            stream = AudioSystem.getAudioInputStream(format, stream);
        // Create the clip
        DataLine.Info info = new DataLine.Info(
            Clip.class, stream.getFormat(), ((int)stream.getFrameLength()*format.getFrameSize()));
        Clip clip = (Clip) AudioSystem.getLine(info);
        // This method does not return until the audio file is completely loaded
        clip.open(stream);
        // Start playing
        clip.start();
    } catch (MalformedURLException e) {
    } catch (IOException e) {
    } catch (LineUnavailableException e) {
    } catch (UnsupportedAudioFileException e) {
    }

Similar Messages

  • Question about Depreciation Posting Run

    I Gurus:
    I have a question about Depreciation Posting Run;  I want to block two active assets for not entry in the Depreciation Posting Run and don´t affected it.
    I try to blocked the fixed asset in AS06 transaction but de active asset is affected in Depreciation Posting Run.
    Could you please help me??
    Thanks a lot

    Hi,
    To my limited knowledge, one can deactivate the assets after transfering the value from the to be deactivated asset.
    As per the generally accepted accounting principles, assets with value should have an impact in our financial statment.  In SAP, deactivating assets means, wrongly created assets which will not have any value and will not have impact any of your financial books of accounts.
    I think, you are looking for a functionality, where you do not want to depreciate the assets (ex. Land).  If it is so, you can give the Zero percentage by creating a new dep. key if you are using depreciation key based calculation of depreciation.
    Hope it clears your doubt,
    Regards
    A.Saravanan.

  • Question about Java Sound example?

    Hello,
    I found this example AudioPlayer, when searching for an example of how to play .wav files in Java.
    The code seems quite long, and wondered if anyone could advise if this is the best way to play a wav file?
    And could anyone explain if the EXTERNAL_BUFFER_SIZE should allows be set to 128000;
    Thank you
    import java.io.File;
    import java.io.IOException;
    import javax.sound.sampled.AudioFormat;
    import javax.sound.sampled.AudioInputStream;
    import javax.sound.sampled.AudioSystem;
    import javax.sound.sampled.DataLine;
    import javax.sound.sampled.LineUnavailableException;
    import javax.sound.sampled.SourceDataLine;
    public class SimpleAudioPlayer
         private static final int     EXTERNAL_BUFFER_SIZE = 128000;
         public static void main(String[] args)
                We check that there is exactely one command-line
                argument.
                If not, we display the usage message and exit.
              if (args.length != 1)
                   printUsageAndExit();
                Now, that we're shure there is an argument, we
                take it as the filename of the soundfile
                we want to play.
              String     strFilename = args[0];
              File     soundFile = new File(strFilename);
                We have to read in the sound file.
              AudioInputStream     audioInputStream = null;
              try
                   audioInputStream = AudioSystem.getAudioInputStream(soundFile);
              catch (Exception e)
                     In case of an exception, we dump the exception
                     including the stack trace to the console output.
                     Then, we exit the program.
                   e.printStackTrace();
                   System.exit(1);
                From the AudioInputStream, i.e. from the sound file,
                we fetch information about the format of the
                audio data.
                These information include the sampling frequency,
                the number of
                channels and the size of the samples.
                These information
                are needed to ask Java Sound for a suitable output line
                for this audio file.
              AudioFormat     audioFormat = audioInputStream.getFormat();
                Asking for a line is a rather tricky thing.
                We have to construct an Info object that specifies
                the desired properties for the line.
                First, we have to say which kind of line we want. The
                possibilities are: SourceDataLine (for playback), Clip
                (for repeated playback)     and TargetDataLine (for
                recording).
                Here, we want to do normal playback, so we ask for
                a SourceDataLine.
                Then, we have to pass an AudioFormat object, so that
                the Line knows which format the data passed to it
                will have.
                Furthermore, we can give Java Sound a hint about how
                big the internal buffer for the line should be. This
                isn't used here, signaling that we
                don't care about the exact size. Java Sound will use
                some default value for the buffer size.
              SourceDataLine     line = null;
              DataLine.Info     info = new DataLine.Info(SourceDataLine.class,
                                                                 audioFormat);
              try
                   line = (SourceDataLine) AudioSystem.getLine(info);
                     The line is there, but it is not yet ready to
                     receive audio data. We have to open the line.
                   line.open(audioFormat);
              catch (LineUnavailableException e)
                   e.printStackTrace();
                   System.exit(1);
              catch (Exception e)
                   e.printStackTrace();
                   System.exit(1);
                Still not enough. The line now can receive data,
                but will not pass them on to the audio output device
                (which means to your sound card). This has to be
                activated.
              line.start();
                Ok, finally the line is prepared. Now comes the real
                job: we have to write data to the line. We do this
                in a loop. First, we read data from the
                AudioInputStream to a buffer. Then, we write from
                this buffer to the Line. This is done until the end
                of the file is reached, which is detected by a
                return value of -1 from the read method of the
                AudioInputStream.
              int     nBytesRead = 0;
              byte[]     abData = new byte[EXTERNAL_BUFFER_SIZE];
              while (nBytesRead != -1)
                   try
                        nBytesRead = audioInputStream.read(abData, 0, abData.length);
                   catch (IOException e)
                        e.printStackTrace();
                   if (nBytesRead >= 0)
                        int     nBytesWritten = line.write(abData, 0, nBytesRead);
                Wait until all data are played.
                This is only necessary because of the bug noted below.
                (If we do not wait, we would interrupt the playback by
                prematurely closing the line and exiting the VM.)
                Thanks to Margie Fitch for bringing me on the right
                path to this solution.
              line.drain();
                All data are played. We can close the shop.
              line.close();
                There is a bug in the jdk1.3/1.4.
                It prevents correct termination of the VM.
                So we have to exit ourselves.
              System.exit(0);
         private static void printUsageAndExit()
              out("SimpleAudioPlayer: usage:");
              out("\tjava SimpleAudioPlayer <soundfile>");
              System.exit(1);
         private static void out(String strMessage)
              System.out.println(strMessage);
    }

    I didnot go thru the code you posted but I know that the following workstry {
            // From file
            AudioInputStream stream = AudioSystem.getAudioInputStream(new File("audiofile"));
            // From URL
            stream = AudioSystem.getAudioInputStream(new URL("http://hostname/audiofile"));
            // At present, ALAW and ULAW encodings must be converted
            // to PCM_SIGNED before it can be played
            AudioFormat format = stream.getFormat();
            if (format.getEncoding() != AudioFormat.Encoding.PCM_SIGNED) {
                format = new AudioFormat(
                        AudioFormat.Encoding.PCM_SIGNED,
                        format.getSampleRate(),
                        format.getSampleSizeInBits()*2,
                        format.getChannels(),
                        format.getFrameSize()*2,
                        format.getFrameRate(),
                        true);        // big endian
                stream = AudioSystem.getAudioInputStream(format, stream);
            // Create the clip
            DataLine.Info info = new DataLine.Info(
                Clip.class, stream.getFormat(), ((int)stream.getFrameLength()*format.getFrameSize()));
            Clip clip = (Clip) AudioSystem.getLine(info);
            // This method does not return until the audio file is completely loaded
            clip.open(stream);
            // Start playing
            clip.start();
        } catch (MalformedURLException e) {
        } catch (IOException e) {
        } catch (LineUnavailableException e) {
        } catch (UnsupportedAudioFileException e) {
        }

  • Question about JAI PlanarImage?

    Hello,
    In the following example we readin a color image file, and create a 1d array from the image pixels.
    And my question is, when the format of the colored image is in TYPE_INT_ARGB,TYPE_INT_BGR or someother format. Is there any classes in the JAI to change the pixels to a RGB, so I know I am processing the pixels in RGB.
    Or can we access the pixels R G B channels in that order, from the inputData int[] without changing the image to RGB.
    I hope this makes sense.
    Thanks
    int[] inputData;
    int width, height, numBands;
    PlanarImage inputImage = JAI.create("fileload", args[0]);
    width = pInput.getWidth();
    height = pInput.getHeight();
    numBands = pInput.getSampleModel().getNumBands();
    Raster raster = pInput.getData();
    inputData = new int[width*height*numBands];
    raster.getPixels(0,0,width,height,inputData);

    Could I also ask, is there a forum page here for JAI?

  • Question about code corner Example#33: How-to open a Bounded Task Flow in a new Browser Tab

    Hello All,
    I am implementing example #33 in code corner series Oracle ADF Code Corner&lt;/title&gt;&lt;meta name=&quot;Title&quot; content=&quot;Oracle ADF Code Corner&quot;&gt;&lt;me…
    Every thing is going fine, but there is a comment in the java code that I don't understand.
    public void onLaunchForEdit(ActionEvent actionEvent) {    
          //access the ADF binding layer and access the tree binding that
          //populates the table
            BindingContext bctx = BindingContext.getCurrent();
            BindingContainer bindings =
                                   bctx.getCurrentBindingsEntry();   
            //access the tree binding defined in the ADF binding layer
            JUCtrlHierBinding model =
                   (JUCtrlHierBinding) bindings.get("DepartmentsView1");
            //get the current selected row key from the iterator binding
            //referenced from the table binding (tree binding). Of course,
            //I could have used the iterator name directly in the binding
            //lookup, but looking up the tree binding instead allows to
            //change the tree binding iterator dependency to a later point
            //in time without breaking this functionality. Its all about
            //"weak" dependencies that give you flexibility when coding ADF
            String rwKeyString =
                   model.getDCIteratorBinding().getCurrentRowKeyString();
            launchWindow(rwKeyString);
    What does this comment mean?
             //but looking up the tree binding instead allows to
            //change the tree binding iterator dependency to a later point
            //in time without breaking this functionality. Its all about
            //"weak" dependencies that give you flexibility when coding ADF
    Is this a contrast to this line of code?
    JUCtrlHierBinding model =
                   (JUCtrlHierBinding) bindings.get("DepartmentsView1");
    I mean in this line of code we hard coded the tree binding name from the page Def? why getting the tree binding name is a best practice while getting the iterator name is not?

    What does this comment mean?
             //but looking up the tree binding instead allows to 
            //change the tree binding iterator dependency to a later point 
            //in time without breaking this functionality. Its all about 
            //"weak" dependencies that give you flexibility when coding ADF 
    Is this a contrast to this line of code?
    JUCtrlHierBinding model = 
                   (JUCtrlHierBinding) bindings.get("DepartmentsView1"); 
    Yes, it's exactly this line of code the comment is referring to. If you look at the bindings of a page you see three parts: on the left he bindings, in the middle the executables and on the right side the data control. The statement
    JUCtrlHierBinding model = 
                   (JUCtrlHierBinding) bindings.get("DepartmentsView1");
    access the binding, the tree binding to get the data. if you use the iterator which named 'DepartmentsView1Iterator' you are accessing the executable, the iterator itself. The comment now tell you that if you access the data via the tree binding, that you can change the underlying iterator to point to different data. This you can do without the need to change the code in the been, whihc is good as you (or we all) tend to forget that we have code working on the iterator, so changing things in the bindings will break the application.
    Timo

  • Question about Slow POST with Creative Fatal1ty Champion on P45T-C51 Board

    I have recently installed the above-mentioned sound card on the P45T-C51 MB. I noticed a drastic change in boot up speed as if the MB is searching for something on POST. I am using Win 7 Ultimate 64. The system used to display all my hard drives and USB sources withing seconds of powering up. Now it takes almost a minute before the MB even gets to starting the OS. I have noticed that the new sound card is sharing IRQ 18 with many other devices. Is this the source of my problem? I am posting in this forum as I believe this is a MB issue. There is a more recent BIOS available in July 2010. I am currently using the January update to the 7519. Does this update address these issues? Any help offered would be greatly appreciated! 
    I am going to post this. Will bring my profile up to speed and repost with system specs.

    PAX drivers are the only thing that will make my Creative card run under Win7 Ultimate 64. I tried everything to use the Creative drivers with no luck.
    Eureka moment!!! Noticed that a hard drive I wanted some data off of tonight was not responding. It's an 11 year old WD 200GB drive, one of the first big drives. It has finally failed!! Reached in and sure enough the drive was smokin hot. Unplugged the power supply to it. Tried to plug it back in (HOT) and my power supply over-current tripped and shut down the computer. Never seen that happen before! With the hard drive disconnected POST is right quick now and the problem seems to be solved. This POST problem has been happening since mid-December, same time I put the sound card in...this means that drive has been failing since then but today it finally gave up. Good job I decided to vacuum a lot of data off of it just this weekend, I actually had it pretty busy. Guess that was the straw that broke the camels back. It was my last IDE drive. Guess I am going to have to go out and get another huge new SATA drive to take it's place...AWWW...Darn!!
    Thanks for the help. We were not going to find that easily without a complete failure of the drive...which finally happened. Any other problems in the future I will be definitely be coming back to this forum to find knowledgeable answers!

  • Question about using iMac 2011 as a monitor

    hi ,, i have imac 2011 21'5
    can i use as a monitor to play xbox 360 on it using mini displayport to hdmi cable ??
    if no then is there way else i can play xbox on my imac screen

    Frank:
    Thanks so much for responding! One question about your post. When you say that the Mac Mini cannot boot in OS 9, does that mean that if I wanted it to hold Filemaker Pro 4 files (which runs on OS 9), that it cannot do this? We would not be running Filemaker on the Mini, just storing the files. We would run Filemaker off of our desktop computers. Sorry, I don't know a ton about computers, so sometimes I need clarification about the terms that people use.-Rob

  • Question about scope!!

    Hi ~
    I have a question about scope.
    for example
    primitive character variable ("char")
    what is principle upon which it is based?
    How can scope implemented?
    Please explain at low level in detail..
    thanks

    Scopes are related to braces (and the for+catch-statements).
    Inside a function nested scopes of the same name are forbidden {int x; {int x; ... } ...}, as misunderstanding could arise.
    You may mention a name (method name, class name, var name), before its declaration, like:
    int f() {x = 3;} int x;Implementation issues address variable locations on the stack and heap management (garbage collection), and exceptions (stack unwinding).
    If you are interested in compiler construction try the javap tool, and try out the JVM, by for instance writing a compiler to JVM byte code.
    To answer your question on variable clean-up: I'm afraid while playing compiler you need to calculate var addresses/frame sizes, and calls/stack frames are a bit confusing, but the rest is easy.

  • Question about using mac mini as a server

    I run a small non-profit agency. Our server (A Mac G4 from about 4 years ago) recently died a somewhat painful death, and we need to get a new one. We're trying to be thrifty, but i don't want to get something that won't meet our needs. Our server needs are very basic. No more than 8 people will ever access the server at the same time, and generally it will be 2-4 people at once. We keep Word and Excel docs on it (It used to host our database, but we will have a separate server for our new database). Do you think a Mac Mini with the following specs would meet our needs:
    80 GB Hard Drive
    1 GB RAM
    1.42 GHz PowerPC G4

    Frank:
    Thanks so much for responding! One question about your post. When you say that the Mac Mini cannot boot in OS 9, does that mean that if I wanted it to hold Filemaker Pro 4 files (which runs on OS 9), that it cannot do this? We would not be running Filemaker on the Mini, just storing the files. We would run Filemaker off of our desktop computers. Sorry, I don't know a ton about computers, so sometimes I need clarification about the terms that people use.-Rob

  • I have a question about Configuration of Post with Clearing

    I have a question about confiruation of the post with clearing which is t-doce 'FB05'.
    When I make post with clearing on 'FB05', I can change the additional selections.
    Where can I control the confiruation of the additional selections in t-code 'FB05'
    Please, tell me the menu path.

    Hi,
    In SPRO, go to
    Financial Accounting (New) > Accounts Receivable and Accounts Payable > Business Transactions > Incoming Payments > Manual Incoming Payments > Make Settings for Processing Open Items > Choose Selection Fields
    Hope this helps.
    Thanks

  • Where should I post a question about BusinessObjects CMC?

    I have a question about Business objects users administration in the CMC (Cental Management Console).  In which category or forum should I post this question?

    Hi Gurus,
    I am trying to add the dotted line relationship.
    I have gone through the post and learnt that by ading Reationship type 088 in T778V will solve my problem.
    But how do i create this relationship. I believe this is provided by ECC 6.0 version, is there some thing i need to Activate or should i create one.
    Let me know.

  • Where to post question about backing up new G580 laptop

    I'm new to Lenovo products and this forum and would like to know where I am to post a question about backing up a new G580 laptop.
    I would appreciate any help.
    Solved!
    Go to Solution.

    Hi kec234, welcome to the forum,
    the best place would probably be in the Lenovo 3000 & Essential notebooks board; it's the correct board for your system and who knows after searching through it you may find an existing thread on the same subject??
    Regards
    Andy  ______________________________________
    Please remember to come back and mark the post that you feel solved your question as the solution, it earns the member + points
    Did you find a post helpfull? You can thank the member by clicking on the star to the left awarding them Kudos Please add your type, model number and OS to your signature, it helps to help you. Forum Search Option T430 2347-G7U W8 x64, Yoga 10 HD+, Tablet 1838-2BG, T61p 6460-67G W7 x64, T43p 2668-G2G XP, T23 2647-9LG XP, plus a few more. FYI Unsolicited Personal Messages will be ignored.
      Deutsche Community     Comunidad en Español    English Community Русскоязычное Сообщество
    PepperonI blog 

  • Post your questions about #BlackBerry10 here!

    Hey everyone,
    What a week last week! I think I'm finally starting to settle down after all the excitement with our global launch events last week.
    If you're getting a BlackBerry 10 device soon, take a look at these tips on the BlackBerry Help Blog to help you set up your email, contacts, calendar and social networks: http://helpblog.blackberry.com/2013/01/blackberry-10-add-email-contacts/
    Have other questions about BlackBerry 10? Our community can answer pretty much anything, just post your question below!
    Remember, if you have a BlackBerry 10 device and need support, check out the BlackBerry 10 Support boards on the main page of the community.
    ^Bo
    Come follow your BlackBerry Technical Team on twitter! @BlackBerryHelp
    Be sure to click Likes for those who have helped you.Click Accept as Solution for posts that have solved your issue(s)!

    sanjithb wrote:
    Why is the bis being stopped and not unlimited in south africa. Especially on the Z10.
    the BIS is not stopped. BIS is still required for OS7 and previous.
    the Z10 does not need a specific BIS plan, which is generally considered a very good improvement.
    The search box on top-right of this page is your true friend, and the public Knowledge Base too:

  • A question about the example "Filter"

    Hi,
    I have a question about the example "Filter (The Filter example illustrates how to filter data using a butterworth filter)" in the measurement studio reference now, it is one of the analysis examples.
    I load this example in Vc++, but when I compile it, the error messages are:
    "'ButterworthHighPass' : is not a member of 'CNiMath'" ,
    "'ButterworthHighPass' : undeclared identifier",
    "'ButterworthLowPass' : is not a member of 'CNiMath'" ,
    "'ButterworthLowPass' : undeclared identifier",
    "'WhiteNoiseWave' : is not a member of 'CNiMath'" ,
    "'WhiteNoiseWave' : undeclared identifier",
    Can you tell me what is matter? and how can I solve it?
    Thanks!

    Hi,
    I was hoping that you could tell me what version and edition you have of Measurement Studio. I also need to know if you are using .NET or 6.0. For example, "I am using Mesurement Studio Enterprise edition 7.1 for Visual Studio .NET."
    Depending on the version that you have, different functions and controls are included. I believe that you may have an edition that does not include the Butterworth filter. Let me know and we can go from there.
    Thanks,
    Caroline
    National Instruments
    Thanks,
    Caroline Tipton
    Data Management Product Manager
    National Instruments

  • Some questions about Muse

    First of all, I would like to say that I am very impressed with how well Muse works and how easy it was to create a website that satisfies me. Before I started a daily updated website I thought I would encounter many problems I will not be able to solve. I have only had a few minor issues which I would like to share with you.
    The most problems I have with a horizontal layouts (http://www.leftlane.pl/sty14/dig-t-r-3-cylindrowy-silnik-nissana-o-wadze-40-kg-i-mocy-400- km.html). Marking and copying of a text is possible only on the last (top) layer of a document. The same situation is with widgets or anything connected with rollover state - it does not work. In the above example it would be perfect to use a composition/tooltip widget on the first page. Unfortunately, you cannot even move the cursor into it.
    It would be helpful to have an option of rolling a mouse to an anchor (like in here http://www.play.pl/super-smartfony/lg-nexus-5.html and here http://www.thepetedesign.com/demos/onepage_scroll_demo.html).  I mean any action of a mouse wheel would make a move to another anchor/screen. It would make navigation of my site very easy.
    Is it possible to create a widget with a function next anchor/previous anchor? Currently, in the menu every button must be connected to a different anchor for the menu to be functional.
    A question about Adobe Muse. Is it possible to create panels in different columns? It would make it easier to go through all the sophisticated program functions.
    The hits from Facebook have sometimes very long links, eg.
    (http://www.leftlane.pl/sty14/mclaren-p1-nowy-krol-nurburgring.html?fb_action_ids=143235557 3667782&fb_action_types=og.likes&fb_source=aggregation&fb_aggregation_id=288381481237582). If such a link is activated, the anchors in the menu do not work on any page. I mean the backlight of an active state, which helps the user to find out where on page they currently are. The problem also occurs when in the name of a html file polish fonts exist. And sometimes the dots does not work without any reason, mostly in the main page, sometimes in the cooperation page either (http://www.leftlane.pl/wspolpraca/). In the first case (on main page), I do not know why. I have checked if they did not drop into a state button by accident,  moved them among the layers, numbered them from scratch and it did not help. In the cooperation page, the first anchor does not work if it is in Y axle set at 0. If I move it right direction- everything is ok.
    The text frame with background fill does not change text color in overlay state (http://www.leftlane.pl/sty14/nowe-mini-krolestwo-silnikow-3-cylindrowych.html). I mean a source button at the beginning of every text. I would like a dark text and a light layer in a rollover, but  the text after export and moving cursor into it does not change color for some reason.
    I was not sure whether to keep everything (whole website) in one Muse file (but I may be mistaken?). I have decided to divide it into months. Everyone is in a different Muse file. If something goes wrong, I will not have any trouble with an upload of a whole site, which is going to get bigger and bigger.
    The problem is that every file has two master pages. Everything works well up to the moment when I realize how many times I have to make changes in upper menu when I need to add something there. I have already 5 files, every with 2 masters. Is there any way to solve this problem? Maybe something to do with Business Catalyst, where I could connect a menu to every subpage independently, deleting it from Muse file? Doing so I would be able to edit it everywhere from one place. It would make my work much easier, but I have no idea jendak how to do it.
    The comments Disqus do not load, especially at horizontal layouts  (http://www.leftlane.pl/sty14/2014-infiniti-q50-eau-rouge-concept.html). I have exchanged some mails and screenshots with Disqus help. I have sent them a screenshot where the comments are not loaded, because they almost never load. They have replied that it works at their place even with attached screenshot. I have a hard time to discuss it, because it does not work with me and with my friends either. Maybe you could fix it? I would not like to end up with awful facebook comments ;). The problem is with Firefox on PC and Mac. Chrome, Safari and Opera work ok.
    YouTube movie level layouts do not work well with IE11 and Safari 7 (http://www.leftlane.pl/sty14/wypadki-drogowe--004.html). The background should roll left, but in the above mentioned browsers it jumps up. Moreover the scrolling with menu dots is not fluent on Firefox, but I guess it is due to Firefox issues? The same layout but in vertical version rolls fluently in Firefox (http://www.leftlane.pl/sty14/polskie-wypadki--005.html).
    Now, viewing the website on new smartphones and tablets. I know it is not a mobile/tablet layout, but I tried to make it possible to be used on mobile hardware with HD (1280) display. I mean most of all horizontal layouts (http://www.leftlane.pl/sty14/2015-hyundai-genesis.html), where If we want to roll left, we need to roll down. Is there a way to make it possible to move the finger the direction in which the layout goes?
    On Android phones (Nexus 4, Android 4.4.2, Chrome 32) the fade away background effect does not work, although I have spent a lot of time over it (http://www.leftlane.pl/lut14/koniec-produkcji-elektrycznego-renault-fluence-ze!.html). It is ok on PC, but on the phone it does not look good. A whole picture moves from a lower layer instead of an edge which spoils everything.
    This layout does not look good on Android (http://www.leftlane.pl/sty14/nowe-mini-krolestwo-silnikow-3-cylindrowych.html#a07). The background does not fill the whole width of a page. There are also problems with a photo gallery, where full screen pictures should fill more of a screen.
    Is it possible to make an option of  scroll effects/motions for a fullscreen slideshow widget thumbnails (http://www.leftlane.pl/sty14/2014-chevrolet-ss%2c-rodzinny-sedan-z-415-konnym-v8.html#a06)? It would help me with designing layouts. Currently, it can go from a bottom of a page at x1 speed or emerge (like in this layout) by changing opacity. Something more will be needed, I suppose.
    Sometimes the pictures from gallery (http://www.leftlane.pl/sty14/2014-chevrolet-ss%2c-rodzinny-sedan-z-415-konnym-v8.html#a06 download very slowly. The website is hosted at Business Catalyst. I cannot state when exactly it happens, most of the time it works ok.
    I really like layouts like this (http://www.leftlane.pl/sty14/2014-chevrolet-ss%2c-rodzinny-sedan-z-415-konnym-v8.html#a03). On the top is a description and a main text, and the picture is a filled object with a hold set at the bottom edge. That is why there is a nice effect of a filling a whole screen- nevertheless the resolution that is set. It works perfect on PC, but on Android the picture goes beyond the screen. You can do something about it?
    In horizontal layouts (http://www.leftlane.pl/sty14/dig-t-r-3-cylindrowy-silnik-nissana-o-wadze-40-kg-i-mocy-400- km.html) holding of a filling object does not work. Everything is always held to upper edge of a screen regardless the settings. Possibility of holding the picture to the bottom edge or center would make my work much easier.
    According to UE regulations we have to inform about the cookies. I do not know how to do it in Muse. I mean, when the message shows up one time and is accepted, there would be no need to show it again and again during another visit on the website. Is there any way to do it? Is there any widget for it maybe?
    The YouTube widget sometimes changes size just like that. It is so when the miniature of the movie does not load, and the widget is set to stroke (in our case 4 pixels, rounded to 1 pixel). As I remember ( in case of a load error) it extends for 8 pixels wide.
    Last but not least - we use the cheapest hosting plan in Business Catalyst. The monthly bandwidth is enough, although we have a lot of pictures and we worried about it at first. Yet we are running out of the disk storage very quickly. We have used more than a half of a 1 GB after a month. We do not want to change BC for a different one, because we like the way it is connected with Muse. But we do not want to buy the most expensive package - but only this one has more disk space. We do not need any other of these functions and it would devastate our budget. Do we have any other option?
    I’m using Adobe Muse 7.2 on OS X 10.9.1.
    and I'm sending Muse file to <[email protected]>

    Unfortunatley, there is no way to get a code view in Muse. I know quite a few people requested it in the previous forum, but not really sure where that ended up. Also, you may not want to bring the html into DW unless you only have 1 or 2 small changes 2 make. Two reasons. First, it isnt backwards compatible, so if you are planning on updating that site in Muse, you will need to make those changes in DW everytime you update. Second, by all accounts the HTML that Muse puts out is not pretty or easy to work with. Unlike you, I am code averse, but there was a lenghty discussion on the previous forum on this topic. I know they were striving to make it better with every release, just not sure where it is at this point.
    Dont think I am reading that second question right, but there was a ton of info on that old site. You may want to take a look there, people posted a ton of great unique solutions, so it worth a look.
    Here is the link to the old forums- http://support.muse.adobe.com/muse

Maybe you are looking for

  • Payment Run Error 006

    Hi Gurus, Hope you can help me with this issue. On the f110, I encountered error 006, no payment method exists. When I checked the detailed log, it says that: Our bank XXX is being checked No Amount has been scheduled for currency XXX and at least 00

  • Syntax error in the program SAPLSYMB

    Hi I have installed ECC6 on windows 2003 server  sqlserver 2005 as database. We are getting error at the time applying basis patch. The patch process is stopped at import_proper stage. When i try to execute any transaction , the error is "syntax erro

  • Refer a Friend is generating a ton of Spam

    It seems the Refer a Friend on my site is being used to generate a pile of SPAM.  I have the CAPTCHA on the form but it doesn't seem to be doing a great job of preventing abuse of the form.  How can I stop this?

  • Yet another strange N97 wifi problem!

    Hi, I have a problem with my N97 that doesn't seem to be addressed yet. I tried to connect via wifi to an internet connection, somehow that connection got placed in the "uncategorized" section under "destinations." SO i chose "move to other destinati

  • I can not activate my FaceTime by using my Apple ID.

    I put my Apple ID and it just say "Waiting for activation" and doesn't work