InDesign printing question - help really needed!

Maybe an easy question maybe not!
Usually here at work our printing is out-sourced, but for a project I'm currently working on I need to print a few bits on the work printer [for the client]. So, I've got a black page [4 colour black] with large red text - when I send to print, obviously the black prints first; leaving white gaps for the text; red prints next but due to slight movement [I guess] I always seem to get what appears to be a tiny white outlines around sections of the text [where the red hasn't printed exactly in the gaps left when applying the black].
Just wondering if there is any way around this, to minimise the issue, in InDesign. Or is this due to the printer used?
Cheers in advance

I'm reading the post to look something like this (0|100|100|0 red on a field of 65|50|50|100 black):
http://www.zenodesign.com/scripts/redonK.png
If I hide the black channel it looks like this:
http://www.zenodesign.com/scripts/cmy.png
If I simulate the black plate off register, it looks like this:
http://www.zenodesign.com/scripts/offreg.png
In this case you couldn't get white because there's no white on any of the plates.

Similar Messages

  • Help really needed in rotating a bufferedImage

    Its so silly, but i've been trying to get this for more than a week now and i cant get it to work.
    I have a gravity simulator and i want to rotate an image of a small ship. Just to mention it.. i have one thread that does the physics. I want to do two things: move and rotate (i always get the move method working, but not the rotate one)
    I have a class Nave (ship in spanish) and Graficador (the jpanel that paints everything). I want to say that ive tried really ALOT of things (yes, ive read google, the forums... i just like to ask for help when i really need it).
    So: here's what i've tried:
    -Ive tried to have a general affineTransform in Nave, then, when i call for example rotate, i just modify the AffineTransform and then use it to paint in the Jpanel. Something like this:
    In Nave
    public void rotarDer(){
            this.at.rotate(Math.PI/2,this.info.getPosX()+5,this.info.getPosY()+5);
        }And in the Jpanel:
    if(this.nave.at!=null){
                g2.drawImage(this.nave.imagen,this.nave.at,null);
            }Ive also tried to use drawRenderedImage with the AffineTransform, but the result are the same: the coordinate system changes (i think because of the AffineTransform) so the gravity takes the ship to the right instead of making it fall down. Ive tried to "store" the affineTransform before any change, and then reapply it after drawing the image, but doesnt seem to work either.
    Also, with this approach, ive tried to create a "buffer" in Nave, then paint the image in the buffer with the affineTransform, and finally paint this buffer in the jpanel, but it gets messed up anyway.
    Ive tried many approaches, but i think i will just mention this one, and see if with your help i get this one to work... i just need to make the coordinates "right" after drawing the image in the jpanel so the gravity works well...

    It wasn't clear how you were trying to use AffineTransform other than rotation in a
    gravitational field. To avoid altering the coordinate system orientation try making a
    transform for each rendering of an image by moving the image to the location where you
    want to show it and then rotatng the image about the specific point in/on the image that
    will give the desired final location/orientation. This sounds vague because there are
    multiple ways to see/do this. Here's an example of one way:
    import java.awt.*;
    import java.awt.event.*;
    import java.awt.geom.AffineTransform;
    import java.awt.image.BufferedImage;
    import javax.swing.*;
    public class RotationExample extends JPanel {
        BufferedImage image;
        Point[] points;
        RotationExample() {
            makeImage();
        protected void paintComponent(Graphics g) {
            super.paintComponent(g);
            Graphics2D g2 = (Graphics2D)g;
            g2.setRenderingHint(RenderingHints.KEY_INTERPOLATION,
                                RenderingHints.VALUE_INTERPOLATION_BICUBIC);
            if(points == null) initPoints();
            markPointGrid(g2);
            // Center image over points[0] and rotate 45 degrees.
            int cx = image.getWidth()/2;
            int cy = image.getHeight()/2;
            double theta = Math.PI/4;
            double x = points[0].x - cx;
            double y = points[0].y - cy;
            AffineTransform at = AffineTransform.getTranslateInstance(x, y);
            at.rotate(theta, cx, cy);
            g2.drawRenderedImage(image, at);
            // Center image over points[1] and rotate 135 degrees.
            x = points[1].x - cx;
            y = points[1].y - cy;
            theta = Math.PI*3/4;
            at.setToTranslation(x, y);
            at.rotate(theta, cx, cy);
            g2.drawRenderedImage(image, at);
            // Move tail over points[2] and rotate 180 degrees.
            x = points[2].x;
            y = points[2].y - cy;
            theta = Math.PI;
            at.setToTranslation(x, y);
            at.rotate(theta, 0, cy);
            g2.drawRenderedImage(image, at);
            // Mark points.
            g2.setPaint(Color.cyan);
            for(int j = 0; j < points.length; j++)
                g2.fillOval(points[j].x-2, points[j].y-2, 4, 4);
        private void markPointGrid(Graphics2D g2) {
            int w = getWidth(), h = getHeight();
            g2.setPaint(new Color(220, 230, 240));
            for(int j = 0; j < points.length; j++) {
                g2.drawLine(points[j].x, 0, points[j].x, h);
                g2.drawLine(0, points[j].y, w, points[j].y);
        private void makeImage() {
            int w = 75, h = 45, type = BufferedImage.TYPE_INT_RGB;
            image = new BufferedImage(w, h, type);
            Graphics2D g2 = image.createGraphics();
            g2.setRenderingHint(RenderingHints.KEY_ANTIALIASING,
                                RenderingHints.VALUE_ANTIALIAS_ON);
            g2.setStroke(new BasicStroke(4f));
            g2.setBackground(getBackground());
            g2.clearRect(0,0,w,h);
            g2.setPaint(Color.red);
            g2.drawLine(w, h/2, w-30, 0);
            g2.drawLine(w, h/2, w-30, h);
            g2.setPaint(Color.blue);
            g2.drawLine(0, h/2, w, h/2);
            g2.dispose();
        private void initPoints() {
            int w = getWidth();
            int h = getHeight();
            points = new Point[3];
            for(int j = 0; j < points.length; j++) {
                points[j] = new Point((j+1)*w/4, (j+1)*h/4);
        public static void main(String[] args) {
            JFrame f = new JFrame();
            f.setDefaultCloseOperation(JFrame.EXIT_ON_CLOSE);
            f.getContentPane().add(new RotationExample());
            f.setSize(400,400);
            f.setLocation(200,200);
            f.setVisible(true);
    }

  • Combo drive question, I really need your help!!

    Hi,
    I plan to buy a 9.5mm combo drive for my macbook pro (my superdrive died and I just need a new cheap optical drive) but I have one question: will I be able to use that combo drive to install Leopard (a dual layer dvd) on my macbook? Will the combo drive read dual layer dvd's? Thanks

    My son's optical drive died on his macbook. I looked into replacements, and noted that a burner was only $50 more than a combo drive. However, including installation, this was going to get expensive. I bought a portable external drive from LaCie for $110, saving $200+. The portable drive is very small and powered from the firewire port.
    If this is feasible for you, it may be a superior and cost-effective option.

  • IPAD and UPdate to Airprint Printer question Help Please?

    I have an HP 6500 printer that I utilize with my MacbookPro (from 2007) and it operates just fine wirelessly using WiFi at home. I did note  though that my iPod cannot print to the printer as the printer IS NOT AIRPRINT equipped.
    MY QUESTION?
    I am considering purchasing an IPAD MINI (RETINA)equipped with KeyNote, Pages, etc., and am wondering If I invest in an AIRPRINT equipped printer in order to enable printing from the IPAD MINI, will I also still be able to print from my Macbook Pro (2007) which is not equipped with anything that interfaces with AIRPRINT to my new AIRPRINT printer? In other words, is this reversed engineered to allow printing from an older laptop to a brand new AIRPRINT printer?
    Hope you can help, so I don't waste money on a new printer and an IPAD only to find out I can no longer use my LapTop (MacbookPro) to print.
    Thanks you for any help.
    Charles

    Thanks, Jim.
    Going to give it a try, Now, after reading all the reviews on the various HP and Epson model all-in-one printers, my next chore will be to make the actual selection. It seems that there as many people who love each unit as there are who hate each unit. Confusing, but I will digest it over the next several days and make a choice.
    Thanks again,
    Charles

  • Your help really needed...Report for LSO

    Hi All,
    The customer need a report which shows the last even date of each course types. Does anyone know how to do it? (Except generate Course Dates report and then sort it.) Really urgent!!!
    Thanks!
    Vivian

    Hi Vivian,
    BI has more standard reports than R/3. However looking at your requirements, I dont think any of the standard BI report will help your clients. You have to create a custom ABAP report or a new Bex Report.
    See this link for available BI queries.
    http://help.sap.com/saphelp_nw70/helpdata/en/8a/4bbf3d0133bf14e10000000a114084/frameset.htm
    Sanghamitra

  • I have a lot of imformant on my ipad and havent connect it to a computer or anything that will save my stuff i dont want to restore it but i cant think of the password at all any others thing i can do to save all my stuff? help really needed!

    Hi, I just changed my password for my ipad 4 and my keypad has been messed up for a while. As I was typing in my new passcode it double cliked a number and i dont one which one it clicked twice for as i was typing it in the second time the same thing happened again and was accepted! i locked my ipad and when i can back to it i typed in my passcode and would go in i kept trying and ran out of attempts. It is down to 2 more attempts and then it will be drained. I have alot of informant on the ipad and havent backed it up to any icloud or any other saving things! i really dont want to lose my stuff on the ipad by restoring it and other thing i cant do? PLEASE HELP, I REALLY WANT TO KEEP ALL MY STUFF! THANKS

    is there any important stuff saved to your emails? if so you could log on to your emails from a seperate device and back them up. im not sure what else you could do :/

  • A few questions I really need answered!

    Hello, my name is Ryan. My Mom bought me an iPod Classic [80GB Black] and I get to open it before Christmas to put Music on it, Charge it, etc. After reading that many iPod Classic owners are having problems, I need these questions answered:
    I have heard that the iPod Classic's hardrive can be heard when playing Music, and watching TV shows,etc. I want to know if mine will have this problem and if it does, can it be fixed so that I can have a great iPod?
    I also would like to know how do I get the firmware updates and what do they do?
    I know so far that it's in iTunes but don't know where.
    When I do get the firmware updates, will it eliminate the hearing the hardrive problem?
    The hearing the hardrive problem is my biggest worry. I think that I'm going to get a piece of crap iPod and going to have to return it and go through this whole process again.
    My Mom bought the iPod on 12/13/07 and I was wondering if the problem has been fixed with the later batches of iPods?
    Please answer these as I am opening the iPod next weekend to put Music on it, Charge it, Firmware Updates then have to open it AGAIN on Christmas.
    Again, the hardrive thing is my biggest fear because I want to have an awesome iPod the first time!
    Thank you!

    Hard drive noise is practically non-existant.
    Firmware updates almost happen automatically. I believe yours should have the current firmware on it (1.0.3), Mine did when I bought it on the 9th.
    Lag on coverflow's just gonna happen sometimes. But it's not like it takes a whole minute, just a couple seconds if you're doing a fast scan. It's a very cool feature if you're like me and make sure to have covers for all your albums. About the only issue I seem to have with it is that it sorts by artist instead of album title thus resulting in multiple copies in the flow listing if you have different artist listings in one album. But when you click on it it shows the tracks for the whole album so it's no big deal. If you have a few albums with duplicate titles (Like "Greatest Hits") then I suggest just putting the artist name in parenthesis after the album title so you and your ipod don't get confused. Otherwise it'll show the tracks for all the "greatest hits" albums thinking it's all one album... but I think that just happens in album listing... might happen in coverflow once you select a specific album. No big deal there though, nothing to lose sleep over
    I hope you enjoy your iPod and your early christmas . It was always tough for me to act surprised when I already knew what my presents were, but maybe you're better at that than me... who knows?

  • Multiple kernel panics- help really needed-log included

    Please bare with me, want to give as many detaisl as possible:
    So in general the computer is running along fine, there are a few odd quirks including the inability to open azureus bit torrent files by double-clicking them though I used to be able to, and occasional airport outages which are becoming of recent a bit more frequent. But I could live with that, maybe azureus is acting screwy and maybe my ibook is just located in an odd place and getting spotty reception.
    Yesterday when I unplugged my computer from teh wall, it froze after 3 minutes, no "please restart your computer" just a complete freeze. I shut down and restarted only to have it kernel panic immediatly. Restarted it and bam another kernel panic. This time I just shut it down, and let it rest. Turned it back on only to have nothign happen except the fans starting blasting at full power. Another hard reset. Got to the finder, greeted by message about the date being incorrect and potential problems this coudl cause. I worked for five minutes and then another kernel panic. I let the computer "rest" over night, and began using it in the morning with airport off, and it worked fine, i then turned on airport and it has since been working fien except for the occasional airport outtages from before.
    Incidentally the computer has frozen before, always after I have unplugged the ibook from the wall. I have heard the multiple kernel panics like the one I experienced likely result from hardware issues, just wanted to see if there are any software fixes I can make before I send it in.
    I'm including my kernel panic log in the hopes that someone can decipher it and explain what the issue may be. I'm starting to think there mayb be an issue with the airport card, but I really do not know. Ram has been upgraded but I am confident that the ram is not at all faulty.
    Thank you very much.
    Sun Feb 12 22:58:56 2006
    Unresolved kernel trap(cpu 0): 0x300 - Data access DAR=0x0000000000000016 PC=0x00000000004F8D90
    Latest crash info for cpu 0:
    Exception state (sv=0x384EFC80)
    PC=0x004F8D90; MSR=0x00009030; DAR=0x00000016; DSISR=0x40000000; LR=0x004FB4E8; R1=0x21FA2EB0; XCP=0x0000000C (0x300 - Data access)
    Backtrace:
    0x004FFC08 0x004FAE28 0x004FA8D8 0x004FA590 0x004FA054 0x004F9D00
    0x004F9C9C 0x002D0018 0x004F9C54 0x004F5B10 0x00506ECC 0x00509360 0x0050BA94 0x004DB3A8
    0x004DE02C 0x004E12F0 0x004E0474 0x004DCE6C 0x004DC9DC 0x004E6A64 0x004EC808 0x004E6A64
    0x004E9F6C 0x004E8E98 0x00108A38 0x000D5DCC 0x000FE254 0x000DBC60 0x000DC4A0 0x0022B734
    0x000FDA70 0x002A3C80
    backtrace continues...
    Kernel loadable modules in backtrace (with dependencies):
    com.apple.iokit.IOATABlockStorage(1.4.2)@0x505000
    dependency: com.apple.iokit.IOStorageFamily(1.4)@0x4d7000
    dependency: com.apple.iokit.IOATAFamily(1.6.0f2)@0x4f4000
    com.apple.iokit.IOStorageFamily(1.4)@0x4d7000
    com.apple.iokit.IOATAFamily(1.6.0f2)@0x4f4000
    Proceeding back via exception chain:
    Exception state (sv=0x384EFC80)
    previously dumped as "Latest" state. skipping...
    Exception state (sv=0x384F1000)
    PC=0x9B5D7B98; MSR=0x4200D030; DAR=0x0000031C; DSISR=0x42000000; LR=0x9B44DC84; R1=0xF0417A60; XCP=0x00000010 (0x400 - Inst access)
    Kernel version:
    Darwin Kernel Version 8.3.0: Mon Oct 3 20:04:04 PDT 2005; root:xnu-792.6.22.obj~2/RELEASE_PPC
    panic(cpu 0 caller 0xFFFF0003): 0x300 - Data access
    Latest stack backtrace for cpu 0:
    Backtrace:
    0x00095698 0x00095BB0 0x0002683C 0x000A8304 0x000ABC80
    Proceeding back via exception chain:
    Exception state (sv=0x384EFC80)
    PC=0x004F8D90; MSR=0x00009030; DAR=0x00000016; DSISR=0x40000000; LR=0x004FB4E8; R1=0x21FA2EB0; XCP=0x0000000C (0x300 - Data access)
    Backtrace:
    0x004FFC08 0x004FAE28 0x004FA8D8 0x004FA590 0x004FA054 0x004F9D00
    0x004F9C9C 0x002D0018 0x004F9C54 0x004F5B10 0x00506ECC 0x00509360 0x0050BA94 0x004DB3A8
    0x004DE02C 0x004E12F0 0x004E0474 0x004DCE6C 0x004DC9DC 0x004E6A64 0x004EC808 0x004E6A64
    0x004E9F6C 0x004E8E98 0x00108A38 0x000D5DCC 0x000FE254 0x000DBC60 0x000DC4A0 0x0022B734
    0x000FDA70 0x002A3C80
    backtrace conp
    Sun Feb 12 23:10:17 2006
    Unresolved kernel trap(cpu 0): 0x300 - Data access DAR=0x0000000000000016 PC=0x00000000004F8D90
    Latest crash info for cpu 0:
    Exception state (sv=0x384EFC80)
    PC=0x004F8D90; MSR=0x00009030; DAR=0x00000016; DSISR=0x40000000; LR=0x004FB4E8; R1=0x21FA2EB0; XCP=0x0000000C (0x300 - Data access)
    Backtrace:
    0x004FFC08 0x004FAE28 0x004FA8D8 0x004FA590 0x004FA054 0x004F9D00
    0x004F9C9C 0x002D0018 0x004F9C54 0x004F5B10 0x00506ECC 0x00509360 0x0050BA94 0x004DB3A8
    0x004DE02C 0x004E12F0 0x004E0474 0x004DCE6C 0x004DC9DC 0x004E6A64 0x004EC808 0x004E6A64
    0x004E9F6C 0x004E8E98 0x00108A38 0x000D5DCC 0x000FE254 0x000DBC60 0x000DC4A0 0x0022B734
    0x000FDA70 0x002A3C80
    backtrace continues...
    Kernel loadable modules in backtrace (with dependencies):
    com.apple.iokit.IOATABlockStorage(1.4.2)@0x505000
    dependency: com.apple.iokit.IOStorageFamily(1.4)@0x4d7000
    dependency: com.apple.iokit.IOATAFamily(1.6.0f2)@0x4f4000
    com.apple.iokit.IOStorageFamily(1.4)@0x4d7000
    com.apple.iokit.IOATAFamily(1.6.0f2)@0x4f4000
    Proceeding back via exception chain:
    Exception state (sv=0x384EFC80)
    previously dumped as "Latest" state. skipping...
    Exception state (sv=0x384F1000)
    PC=0x9B5D7B98; MSR=0x4200D030; DAR=0x0000031C; DSISR=0x42000000; LR=0x9B44DC84; R1=0xF0417A60; XCP=0x00000010 (0x400 - Inst access)
    Kernel version:
    Darwin Kernel Version 8.3.0: Mon Oct 3 20:04:04 PDT 2005; root:xnu-792.6.22.obj~2/RELEASE_PPC
    panic(cpu 0 caller 0xFFFF0003): 0x300 - Data access
    Latest stack backtrace for cpu 0:
    Backtrace:
    0x00095698 0x00095BB0 0x0002683C 0x000A8304 0x000ABC80
    Proceeding back via exception chain:
    Exception state (sv=0x384EFC80)
    PC=0x004F8D90; MSR=0x00009030; DAR=0x00000016; DSISR=0x40000000; LR=0x004FB4E8; R1=0x21FA2EB0; XCP=0x0000000C (0x300 - Data access)
    Backtrace:
    0x004FFC08 0x004FAE28 0x004FA8D8 0x004FA590 0x004FA054 0x004F9D00
    0x004F9C9C 0x002D0018 0x004F9C54 0x004F5B10 0x00506ECC 0x00509360 0x0050BA94 0x004DB3A8
    0x004DE02C 0x004E12F0 0x004E0474 0x004DCE6C 0x004DC9DC 0x004E6A64 0x004EC808 0x004E6A64
    0x004E9F6C 0x004E8E98 0x00108A38 0x000D5DCC 0x000FE254 0x000DBC60 0x000DC4A0 0x0022B734
    0x000FDA70 0x002A3C80
    backtrace conp
    Sun Feb 12 23:16:09 2006
    Unresolved kernel trap(cpu 0): 0x300 - Data access DAR=0x0000000000000016 PC=0x00000000004F8D90
    Latest crash info for cpu 0:
    Exception state (sv=0x384EFC80)
    PC=0x004F8D90; MSR=0x00009030; DAR=0x00000016; DSISR=0x40000000; LR=0x004FB4E8; R1=0x21FA2EB0; XCP=0x0000000C (0x300 - Data access)
    Backtrace:
    0x004FFC08 0x004FAE28 0x004FA8D8 0x004FA590 0x004FA054 0x004F9D00
    0x004F9C9C 0x002D0018 0x004F9C54 0x004F5B10 0x00506ECC 0x00509360 0x0050BA94 0x004DB3A8
    0x004DE02C 0x004E12F0 0x004E0474 0x004DCE6C 0x004DC9DC 0x004E6A64 0x004EC808 0x004E6A64
    0x004E9F6C 0x004E8E98 0x00108A38 0x000D5DCC 0x000FE254 0x000DBC60 0x000DC4A0 0x0022B734
    0x000FDA70 0x002A3C80
    backtrace continues...
    Kernel loadable modules in backtrace (with dependencies):
    com.apple.iokit.IOATABlockStorage(1.4.2)@0x505000
    dependency: com.apple.iokit.IOStorageFamily(1.4)@0x4d7000
    dependency: com.apple.iokit.IOATAFamily(1.6.0f2)@0x4f4000
    com.apple.iokit.IOStorageFamily(1.4)@0x4d7000
    com.apple.iokit.IOATAFamily(1.6.0f2)@0x4f4000
    Proceeding back via exception chain:
    Exception state (sv=0x384EFC80)
    previously dumped as "Latest" state. skipping...
    Exception state (sv=0x384F1000)
    PC=0x9B5D7B98; MSR=0x4200D030; DAR=0x0000031C; DSISR=0x42000000; LR=0x9B44DC84; R1=0xF0417A60; XCP=0x00000010 (0x400 - Inst access)
    Kernel version:
    Darwin Kernel Version 8.3.0: Mon Oct 3 20:04:04 PDT 2005; root:xnu-792.6.22.obj~2/RELEASE_PPC
    panic(cpu 0 caller 0xFFFF0003): 0x300 - Data access
    Latest stack backtrace for cpu 0:
    Backtrace:
    0x00095698 0x00095BB0 0x0002683C 0x000A8304 0x000ABC80
    Proceeding back via exception chain:
    Exception state (sv=0x384EFC80)
    PC=0x004F8D90; MSR=0x00009030; DAR=0x00000016; DSISR=0x40000000; LR=0x004FB4E8; R1=0x21FA2EB0; XCP=0x0000000C (0x300 - Data access)
    Backtrace:
    0x004FFC08 0x004FAE28 0x004FA8D8 0x004FA590 0x004FA054 0x004F9D00
    0x004F9C9C 0x002D0018 0x004F9C54 0x004F5B10 0x00506ECC 0x00509360 0x0050BA94 0x004DB3A8
    0x004DE02C 0x004E12F0 0x004E0474 0x004DCE6C 0x004DC9DC 0x004E6A64 0x004EC808 0x004E6A64
    0x004E9F6C 0x004E8E98 0x00108A38 0x000D5DCC 0x000FE254 0x000DBC60 0x000DC4A0 0x0022B734
    0x000FDA70 0x002A3C80
    backtrace conp

    Hi Matteo,
    Welcome to Apple Discussions
    You might be having a problem with your hard drive. Did you check the S.M.A.R.T. status? You might want to Repair your disk.
    I hope that helps,
    Jon

  • ITunes help really needed

    First of all I'm running OS X Tiger 10.4
    I just got my 5th gen. iPod video today, and I sync'd it and everything, the iPod works just fine.
    Although, everytime I plug it in, my iPod will be listed on the source list in the left of iTunes, it will take a few seconds to update, then my iPod icon will disappear from the Finder.
    If I then click anywhere besides "My iPod" in the iTunes source bar, like Library > Music or just a simple playlist, iTunes will unexpectedly quit. The Finder though does not give me a message saying that iTunes quit unexpectedly, it just happens. During all of this the iPod does NOT say "do not disconnect" as if it was updating.
    If I want to reinstall iTunes, how do I uninstall the previous version? Or do I have to do that? Do I just run the driver I downloaded from Apple again?

    Why not update your OSX to 10.4.8? - the updates are free.
    To reinstall you will need a .dmg of iTunes - I suggest a fresh .dmg - you will also need to go to HD>Library>Receipts> and remove the 'iTunesX.pkg' to the trash. Drag the iTunes app to the trash and launch the iTunes installer. Repair permissions with Disk Utility - open iTunes - if all is well then empty the trash.
    Do not move any other itunes files files to the trash.
    MJ

  • Some help really  needed

    Hello,
    yesterday i had some problems with the usage of eclipse during my session with card. So i had to end the program through the task manager, because it seemed that it will never awake and continue the performance.
    Now during the work with my JCOP card through the JCOP shell, i have problems when i am trying to delete it . I mean card doesn't allow me to separately delete an Applet and my package then. Day before it worked fine. In the simulator it still works fine.
    It always return 6985 (Conditions not satisfied statement). Despite this fact, my Lodare.java module works fine. Call to the CardManager deleteObject() methos returns no errors. So it can delete only package by deleting related applets at once.
    Could you help, what could be solution or the basis for such problem occurrence?
    Best regards,
    Eve

    here is my APDU trace:
    -  /terminal "winscard:4|SCM Microsystems Inc. SCR3310 USB Smart Card Reader 0"
    --Opening terminal
    /card -a a000000003000000 -c com.ibm.jc.CardManagerresetCard with timeout: 0 (ms)
    --Waiting for card...
    ATR=3B EB 00 00 81 31 20 45 4A 43 4F 50 33 31 33 36    ;....1 EJCOP3136
        47 44 54 78                                        GDTx
    ATR: T=1, N=0, IFSC=32, BWI=4/CWI=5, Hist="JCOP3136GDT"
    => 00 A4 04 00 08 A0 00 00 00 03 00 00 00 00          ..............
    (146500 usec)
    <= 6F 10 84 08 A0 00 00 00 03 00 00 00 A5 04 9F 65    o..............e
        01 FF 90 00                                        ....
    Status: No Error
    cm>  set-key 255/1/DES-ECB/404142434445464748494a4b4c4d4e4f 255/2/DES-ECB/404142434445464748494a4b4c4d4e4f 255/3/DES-ECB/404142434445464748494a4b4c4d4e4f
    cm>  init-update 255
    => 80 50 00 00 08 D4 AC DC F1 CA 9F 16 B9 00          .P............
    (158288 usec)
    <= 00 00 63 06 00 12 86 91 06 77 FF 01 42 16 4D 12    ..c......w..B.M.
        17 14 03 A1 1E 81 CF 9D A8 32 FA 34 90 00          .........2.4..
    Status: No Error
    cm>  ext-auth plain
    => 84 82 00 00 10 72 2C BF 47 F6 1C 73 AB 8A A5 B3    .....r,.G..s....
        AB 24 7D BF F7                                     .$}..
    (84620 usec)
    <= 90 00                                              ..
    Status: No Error
    cm>  card-info
    => 80 F2 80 00 02 4F 00 00                            .....O..
    (40529 usec)
    <= 08 A0 00 00 00 03 00 00 00 01 9E 90 00             .............
    Status: No Error
    => 80 F2 40 00 02 4F 00 00                            [email protected]..
    (45895 usec)
    <= 0C 4D 4D 61 74 63 68 65 72 41 70 70 6C 07 00 90    .MAppl...
        00                                                 .
    Status: No Error
    => 80 F2 10 00 02 4F 00 00                            .....O..
    (154165 usec)
    <= 07 A0 00 00 00 03 53 50 01 00 01 08 A0 00 00 00    ......SP........
        03 53 50 41 05 31 50 41 59 2E 01 00 01 0E 31 50    .SPA.1PAY.....1P
        41 59 2E 53 59 53 2E 44 44 46 30 31 06 A0 00 00    AY.SYS.DDF01....
        00 03 10 01 00 01 07 A0 00 00 00 03 10 10 06 A0    ................
        00 00 02 41 00 01 00 01 07 A0 00 00 02 41 00 00    ...A.........A..
        08 4D 4D 61 74 63 68 65 72 01 00 01 0C 4D 4D 61    .M....M
        74 63 68 65 72 41 70 70 6C 90 00                               Appl..
    Status: No Error
    Card Manager AID   :  A000000003000000
    Card Manager state :  OP_READY
        Application:  SELECTABLE (--------) "MAppl" 
        Load File  :      LOADED (--------) A0000000035350   (Security Domain)
         Module    :                        A000000003535041
        Load File  :      LOADED (--------) "1PAY."          (PSE)
         Module    :                        "1PAY.SYS.DDF01"
        Load File  :      LOADED (--------) A00000000310     (VSDC)
         Module    :                        A0000000031010
        Load File  :      LOADED (--------) A00000024100   
         Module    :                        A0000002410000
        Load File  :      LOADED (--------) "M"     
         Module    :                        "MAppl"
    cm>  /identify
    => 00 A4 04 00 09 A0 00 00 01 67 41 30 00 FF          .........gA0..
    (74848 usec)
    <= 51 04 01 24 47 45 42 34 50 48 35 32 32 44 01 03    Q..$GEB4PH522D..
        79 09 22 6A 82                                     y."j.
    Status: File not found
    FABKEY ID:   0x51
    PATCH ID:    0x04
    TARGET ID:   0x01 (smartmx)
    MASK ID:     0x24 (36)
    CUSTOM MASK: 47454234
    MASK NAME:   PH522D
    FUSE STATE:  fused
    ROM INFO:    790922
    COMBO NAME:  smartmx-m24.51.04.47454234-PH522D
    cm>  get-cplc
    => 80 CA 9F 7F 00                                     .....
    (74629 usec)
    <= 9F 7F 2A 47 90 50 15 40 51 51 58 24 00 63 06 00    ..*G.P.@QQX$.c..
        12 86 91 06 77 48 10 63 13 00 00 00 00 02 10 1C    ....wH.c........
        30 31 32 38 36 00 00 00 00 00 00 00 00 90 00       01286..........
    Status: No Error
      IC Fabricator                      : 4790
      IC Type                            : 5015
      Operating System ID                : 4051
      Operating System release date      : 5158 (7.6.2005)
      Operating System release level     : 2400
      IC Fabrication Date                : 6306 (2.11.2006)
      IC Serial Number                   : 00128691
      IC Batch Identifier                : 0677
      IC Module Fabricator               : 4810
      IC Module Packaging Date           : 6313 (9.11.2006)
      ICC Manufacturer                   : 0000
      IC Embedding Date                  : 0000
      IC Pre-Personalizer                : 0210
      IC Pre-Perso. Equipment Date       : 1C30
      IC Pre-Perso. Equipment ID         : 31323836
      IC Personalizer                    : 0000
      IC Personalization Date            : 0000
      IC Perso. Equipment ID             : 00000000
    cm>  delete |MAppl
    => 80 E4 00 00 0E 4F 0C 4D 4D 61 74 63 68 65 72 41    .....O.MAppl.
        70 70 6C 00                                      
    (207258 usec)
    <= 69 85                                              i.
    Status: Conditions of use not satisfied
    jcshell: Error code: 6985 (Conditions of use not satisfied)
    jcshell: Wrong response APDU: 6985
    cm>  delete |M
    => 80 E4 00 00 0A 4F 08 4D 4D 61 74 63 68 65 72 00    .....O.M.
    (56412 usec)
    <= 69 85                                              i.
    Status: Conditions of use not satisfied
    jcshell: Error code: 6985 (Conditions of use not satisfied)
    jcshell: Wrong response APDU: 6985Applet directory is:
    c:\Documents and Settings\Ieva\workspace\M\bin\M\javacard\MAppl.cap
    Best regards,
    Eve
    Message was edited by:
    Ieva

  • Please help. really need it

    i have a ipod nano and my old computer broke so now i have this new one. is there any way i can get the songs that are on my ipod now and keep them or somehow put them into my music library? please help me. i cant download all new songs. i have way too many.

    In the future, maintain up-to-date backups on CDs/DVDs. Start reading:
    *Courtesy of PT...*
    Copying from iPod to Computer threads...
    http://discussions.apple.com/thread.jspa?messageID=5044027&#5044027
    http://discussions.apple.com/thread.jspa?threadID=893334&tstart=0
    http://discussions.apple.com/thread.jspa?messageID=797432&#797432
    Also these useful internet articles...
    http://www.engadget.com/2004/11/02/how-to-get-music-off-your-ipod/
    http://playlistmag.com/secrets/2006/12/twowaystreet20/index.php
    http://playlistmag.com/help/2005/01/2waystreet/

  • Help really needed!

    hi all
    basically im getting the kernal panic error on my laptop where it tells me to re-start my laptop
    i have followed the steps from the kernal site on what to do and after completly re-formatting my laptop it still happens, i have the standard 512 RAM in my ibook G4 late 2005
    i was wondering if anybody can work out what is wrong with my laptop from this log
    panic(cpu 0 caller 0x000A8A00): Uncorrectable machine check: pc = 00000000006876AC, msr = 0000000000149030, dsisr = 42000000, dar = 00000000E00EF000
    AsyncSrc = 0000000000000000, CoreFIR = 0000000000000000
    L2FIR = 0000000000000000, BusFir = 0000000000000000
    Latest stack backtrace for cpu 0:
    Backtrace:
    0x000952D8 0x000957F0 0x00026898 0x000A8A00 0x000A7C90 0x000AB980
    Proceeding back via exception chain:
    Exception state (sv=0x39BBAC80)
    PC=0x006876AC; MSR=0x00149030; DAR=0xE00EF000; DSISR=0x42000000; LR=0x0068AA9C; R1=0x17843180; XCP=0x00000008 (0x200 - Machine check)
    Backtrace:
    0x0068AA90 0x0068BA08 0x0068C90C 0x00687A1C 0x0069D4F8 0x00698930
    0x006C42EC 0x006A0B18 0x006C0874 0x006BDF9C 0x006D08F8 0x005BA42C 0x005BA2AC 0x002D1C84
    0x005BA320 0x005B1240 0x005B1470 0x005B10FC 0x005BA2AC 0x002D1C84 0x005BA320 0x005B0FBC
    0x0011E2D0 0x0011B6FC 0x0011BC0C 0x00283B98 0x00283C4C 0x00260B68 0x0027FDA0 0x002AB7F8
    0x000ABB30 0x436C6173
    backtrace continues...
    Kernel loadable modules in backtrace (with dependencies):
    com.apple.iokit.AppleAirPort2(405.1)@0x681000
    dependency: com.apple.iokit.IONetworkingFamily(1.5.0)@0x5ae000
    dependency: com.apple.iokit.IOPCIFamily(1.7)@0x460000
    com.apple.iokit.IONetworkingFamily(1.5.0)@0x5ae000
    Exception state (sv=0x31981C80)
    PC=0x900026AC; MSR=0x0200F030; DAR=0xE00F2000; DSISR=0x42000000; LR=0x000E431C; R1=0xF00803E0; XCP=0x00000030 (0xC00 - System call)
    Kernel version:
    Darwin Kernel Version 8.9.0: Thu Feb 22 20:54:07 PST 2007; root:xnu-792.17.14~1/RELEASE_PPC
    would deeply appreciate help

    tomstacey88:
    ok then, you were right it is my airport after turning it off no more kernal panics,
    Were you able to get access to the card, or did you turn aiport off?
    You might want to run the Apple Hardware Test from the disk that came with you computer.
    If it is not something you can do yourself and you have to go to the Apple Store I have no idea of the cost. You might want to give them a call. If you still have Apple Care on the computer, it should cover the card repair.
    Good luck.
    cornelius
    Message was edited by: cornelius

  • I really need help on reseting my security questions i tried sending in my rescue email but the rescue email is not showing up on the password and security tab and i'm positive i don't know the answers this is really getting annoying _

    i really need help on reseting my security questions i tried sending in my rescue email but the rescue email is not showing up on the password and security tab and i'm positive i don't know the answers this is really getting annoying

    If your rescue email is not working and you cannot remember even one answer, then you only have one option - call Apple.
    http://support.apple.com/kb/HT5665

  • Please i really need a big help hare. hp lj1300 driver for win 7 32 bit and 64 bit printer driver.

    hi every one please i really need halp hare i have a hp LJ 1300 printer and i have been trying to install it on window 7 (32 bit and  64 bit). i have been looking for the LasarJet 1300 printer driver but i have not seen any. i even down loaded form hp web site. but it still did not work. after installing when u go to the divice mannger its showing the printer driver not found and then its not even printing. am using a usb and a laptop. i really need this driver for window 7. so i could get my work done. please some one help me hare.

    Hi:
    This 32 bit Intel graphics driver should work...
    https://downloadcenter.intel.com/Detail_Desc.aspx?DwnldID=23884&lang=eng&ProdId=3719

  • ID CS3 Print Booklet really needs help.

    Have read all the posts regarding Booklet, and this feature really needs an overhaul. The PM 7.0 Booklet was far better. Surely there are thousands of printers who need to make up booklets, then as job develops, go in and make a change and rerun a single plate. This you could do in PM 7.0, and I assumed that CS3 would be an improvement over that even.

    I don't think whoever responsible for coding Print Booklet had a clue of what they were doing or why.
    PageMaker had a feature called Build Booklet. Previous versions of ID had a Build Booklet plug-in. This is PRINT Booklet, and the feature takes that idea mind numbingly literally. The only good thing to say about it is that it does exactly what it says if you follow its logic. But considering the following, I'm wondering if that wasn't just blind luck.
    From the Adobe Help:
    >If you dont want the entire document to be imposed, select Range in the Setup area and specify which pages to include in the imposition.
    Use hyphens to separate consecutive page numbers, and commas for nonadjacent page numbers. For example, typing 3-7, 16 imposes pages 3 through 7 and 16.
    Printing from a 20 page document, that would return the following spreads:
    blank - 3
    4 - blank
    16 - 5
    6 - 7
    You ask for six pages, and get four spreads of two. There is a perfect logic at work here. But it just makes no sense.
    I am left wondering what Adobe was thinking. Who would ever WANT to print a selection of pages as printers spreads that are completely irrelevant to the original document? They should be embarassed.

Maybe you are looking for

  • Problem with manifest file and Plateau LMS

    I have published a course with a quiz in SCORM 1.2 and tried to upload to a Plateau LMS. It seems that a "page cannot be found" message is the result after upload and we try to launch the course. The course works outside the LMS (when run locally on

  • How to deploy a sql server compact 4.0 in windows xp?

    My program is developed by visual basic 6.0 with sql server compact 4.0.   How can I deploy it in windows xp sp3? Should I install .netframework version X in windows xp before sql server compact 4.0 ?  When I copy my program  to windows xp and run it

  • Call a pkg of another data base via dblink

    call a package from another database by dblink oracle call a package from another database by dblink oracle , i got one pkg in DB A and i got dblink in DB 2 to DB A now i wnt to call the pkg og DB A from DB 2 Thanks Raj

  • Can't get WebLogic  [6.1, sp1] to use log4j

    I'm having a great deal of difficulty integrating log4j1.2.4.jar with WLS6.1sp1. When I build my project and execute the code within Visual Cafe (Enterprise Edition 4.5), all's fine, the log4j.jar file is recognised and the code runs as expected, cre

  • Q10 SMS Notification failed after update 10.2.1.3062

    Hi, I performed a small 31MB update to 10.2.1.3062 on Fido (Rogers). SMS notifications stopped - no LED, audible, Vibrate or spark. Other notifications are fine, performed battery pulls, hub reboots, no luck. SMS shows up in the hub with no notificat