How to convert a CMYK image to pantone in Illustrator

Is it possible to convert the CMYK raster image to pantone in illustrator.

On Mon, 12 May 2008 22:37:41 -0700, [email protected] wrote:
> Is it possible to convert the CMYK raster image to pantone in illustrator.
I think you meant to post this to the illy group.
Mike Russell - [advertising link deleted]

Similar Messages

  • Pantone 2196 C how to convert to CMYK it is not in CS6

    Pantone 2196 C how to convert to CMYK it is not in CS6

    Pantone 2196 C is one of the 336 new Pantone solid colours that were introduced in 2012.
    http://forums.adobe.com/message/5361284
    The Lab values for  this colour are 39 -18 -52. If you're using the appropriate CMYK profile for your printing conditions, you could make a new Process Colour swatch using those Lab values, and it will automatically convert to CMYK.

  • Convert cmyk image to grayscale within Illustrator

    Now that we can finally change the color of grayscale images, it would be nice to change a cmyk image to grayscale.
    EDIT: I just remembered you can with Adjust Color Balance, oops!

    1) select all
    2) edit -> convert to grayscale

  • How to convert JPEG - PNG images using java?

    Hi,
    Has anyone done this before?
    Can you provide me with a sample code or point me to the direction on how this can be done?
    Are there any existing Java technology that supports this?
    Most grateful. Thanks.

    It's should be easy using Java Advanced Imaging (JAI). Try this.
    import javax.media.jai.JAI;
    import javax.media.jai.RenderedOp;
    public class convert {
      static public void main(String[] args) {
        String inName = args[0];
        String outName = args[1];
        RenderedOp source = JAI.create("fileload", inName);
        JAI.create("filestore", source, outName, "PNG", null);
        System.exit(0);
    }

  • How to convert an embedded image to a bytearray

    I have an image like this
    [Embed(source="images/open_position.PNG")]
    public var OpenImage:Class;
    How can I convert this to a ByteArray?

    Hi,
    Your OpenImage class is a subclass of BitmapAsset, then you can retrieve the ByteArray by an instance of OpenImage. Here is the draft code (not tested):
    public function getByteArray( InputClass:Class ):ByteArray {
         var instance:BitmapAsset = BitmapAsset( new InputClass() );
         return instance.bitmapData.getPixels();

  • How to convert 24bits png image into 8 bits image

    Hi,
    I have gone through some of threads in this forum on changing color bits. But, I still can find right way to change my image (24bits) into different color bits(8 bits). The reason i want to change the color bits because I am getting a GIF image from map server, convert it into PNG format then rescale then into size of mobile phone screen.The PNG image is really has large data length , so the it took a while to load the whole image on screen.
    Note : The following code is taken from few threads in this forum and i have modified it to suit my application.
    I have no idea about Java2d...any help really appreciated...Thanks in advance!!!
    My code is as follow:-
    public File Scale(int width, int height, BufferedImage ImgSrc)
         try
                   //BufferedImage bi = ImageIO.read(ImgSrc);
                   //int w = bi.getWidth(), h = bi.getHeight();
         //Image oldRescale = bi.getScaledInstance(i, j, Image.SCALE_SMOOTH);
         BufferedImage Rescale = rescale(ImgSrc, width, height);
                   //ColorSpace cs = ColorSpace.getInstance(ColorSpace.CS_GRAY);
                   //ColorConvertOp op = new ColorConvertOp(cs, null);
                   //Rescale = op.filter(Rescale, null);
         File outfile = new File("map.png");
                   ImageIO.write(Rescale, "png", outfile);
                   BufferedImage fromFile = ImageIO.read(outfile);
                   ColorModel cm = fromFile.getColorModel();
                   System.out.println(cm.getClass() + ", bits/pixel=" + cm.getPixelSize());
              catch(Exception e)
                   e.printStackTrace();
              return new File("map.png");
         public static GraphicsConfiguration getDefaultConfiguration()
    GraphicsEnvironment ge = GraphicsEnvironment.getLocalGraphicsEnvironment();
    GraphicsDevice gd = ge.getDefaultScreenDevice();
    return gd.getDefaultConfiguration();
         public static BufferedImage copyRescaled(BufferedImage tgt, BufferedImage src)
              Graphics2D g2 = tgt.createGraphics();
    int w=tgt.getWidth(), h=tgt.getHeight();
    hintForBestQuality(g2);
         g2.drawImage(src, 0, 0, w, h, null);
         g2.dispose();
    return tgt;
    public static Graphics2D hintForBestQuality(Graphics2D g2)
    g2.setRenderingHint(RenderingHints.KEY_INTERPOLATION,
              RenderingHints.VALUE_INTERPOLATION_BILINEAR);
    g2.setRenderingHint(RenderingHints.KEY_RENDERING,
              RenderingHints.VALUE_RENDER_QUALITY);
    return g2;
         public static BufferedImage rescale(BufferedImage src, int w, int h)
    int transparency = src.getColorModel().getTransparency();
    GraphicsConfiguration gc = getDefaultConfiguration();
    BufferedImage tgt = gc.createCompatibleImage(w, h, transparency);
    return copyRescaled(tgt, src);

    First, we need to be clear about what you're trying to do -- is it rescale an
    image or insure that the image is saved with a 8bit pixel depth? Or both? You are also
    using GraphicsConfiguration's createCompatibleImage, which is excellent if you are going
    to display the image immediately because it might be hardware accelerated
    or compatible with hardware format, but you mentioned mobile phone screens, so
    there is no advantage to using GraphicsConfiguration in that case, and if fact, it's
    probably changing your ColorModel when you're not looking.
    import java.awt.*;
    import java.awt.event.*;
    import java.awt.geom.*;
    import java.awt.image.*;
    import java.io.*;
    import java.net.*;
    import javax.imageio.*;
    import javax.swing.*;
    public class Example {
        public static void main(String[] args) throws IOException {
            URL url = new URL("http://java.sun.com/developer/technicalArticles/GUI/JavaServerFaces/fig2.gif");
            BufferedImage image = ImageIO.read(url);
            System.out.println("image's colormodel = " + image.getColorModel().getClass());
            BufferedImage rescaled = scaleAndConvertColorModel(image, 0.75, null); //GIF => IndexColorModel
            System.out.println("rescaled's colormodel = " + image.getColorModel().getClass());
            File png = new File("junk.png");
            ImageIO.write(rescaled, "png", png);
            BufferedImage fromFile = ImageIO.read(png);
            System.out.println("fromFile's colormodel = " + image.getColorModel().getClass());
            JPanel cp = new JPanel(new GridLayout(0,1));
            addTo(cp, image, "original image");
            addTo(cp, rescaled, "rescaled image");
            addTo(cp, fromFile, "png file image");
            JFrame f = new JFrame("Example");
            f.setDefaultCloseOperation(JFrame.EXIT_ON_CLOSE);
            f.setContentPane(cp);
            f.pack();
            f.setLocationRelativeTo(null);
            f.setVisible(true);
            Will rescale and convert colormodel if necessary.
            ColorModel == null => don't convert. May return src if suitable.
        public static BufferedImage scaleAndConvertColorModel(BufferedImage src, double scale, ColorModel cm) {
            int w0 = src.getWidth();
            int h0 = src.getHeight();
            int w = (int) (w0 * scale);
            int h = (int) (h0 * scale);
            ColorModel cm0 = src.getColorModel();
            if (cm == null)
                cm = cm0;
            if (w==w0 && h==h0 && cm.equals(cm0))
                return src;
            BufferedImage tgt = createImage(w, h, cm);
            Graphics2D g = tgt.createGraphics();
            if (scale < 1) {
                Image temp = src.getScaledInstance(w, h, Image.SCALE_AREA_AVERAGING);
                g.drawImage(temp, null, null);
            } else {
                hintForBestQuality(g);
                g.drawRenderedImage(src, AffineTransform.getScaleInstance(scale, scale));
            g.dispose();
            return tgt;
        public static BufferedImage createImage(int w, int h, ColorModel cm) {
            if (w <= 0 || h <= 0)
                throw new IllegalArgumentException("...");
            boolean alphaPremultiplied = cm.isAlphaPremultiplied();
            WritableRaster raster = cm.createCompatibleWritableRaster(w, h);
            return new BufferedImage(cm, raster, alphaPremultiplied, null);
        public static Graphics2D hintForBestQuality(Graphics2D g) {
            g.setRenderingHint(RenderingHints.KEY_INTERPOLATION, RenderingHints.VALUE_INTERPOLATION_BICUBIC);
            g.setRenderingHint(RenderingHints.KEY_RENDERING, RenderingHints.VALUE_RENDER_QUALITY);
            return g;
        static void addTo(Container c, BufferedImage image, String title) {
            JLabel label = new JLabel(new ImageIcon(image));
            label.setBorder(BorderFactory.createTitledBorder(title));
            c.add(label);
    }

  • How to convert an pdf image into a jpeg

    I just purchased export pdf and I'm trying to convert from pdf to word or ppt.  The pdf is an image / logo that I want to make a jpeg.  I used the export utility and keep getting random characters and not an image. I'm guessing it's looking for text.  Do I have the right utility?

    I don't see converting to Word as the right way to go if you want a picture.
    Instead, view in Adobe Reader as large as possible, take a screen shot, paste in PAINT.

  • How to convert AviVideoFormat to  Image?

    Hello all,
    Anybody knows how can I do a conversion from AviVideoFormat to a BufferedImage to display?
    regards and hnaks in advance

    jp1963 wrote:
    Anybody knows how can I do a conversion from AviVideoFormat to a BufferedImage to display?
    regards and hnaks in advanceSince you were patient this time, I'll offer help.
    1) If you're wanting to simply display the video, just play it using a player.
    [http://java.sun.com/javase/technologies/desktop/media/jmf/2.1.1/solutions/SwingJMF.html]
    2) If you're wanting to access the image for the purposes of like, overlaying graphics on it dynamiclly,
    [http://java.sun.com/javase/technologies/desktop/media/jmf/2.1.1/solutions/FrameAccess.html]
    Will give you the ability to do that. Or just access the individual frames for whatever reason.

  • Convertir une couleur CMYK en PMS Pantone sur Illustrator

    Une amie m'a posé la question qui donne le titre de la discussion...
    J'ai trouvé ceci: Edition>Modifier les couleurs>Redéfinir les couleurs avec paramètre prédéfini> 1 couleur, choisir la bibliotheque PMS de ton choix
    Mais que disent les experts AI du forum?

    Le plus simple est en effet d'utiliser l'outil de redéfinition des couleurs et de limiter à un catalogue de couleurs (voir lien de l'aide : Limiter à la bibliothèque)

  • How to convert a .psd file into .ai (adobe illustrator)

    Hi Guys,
    I have a very high quality multi layer .psd file that I need to convert to adobe illustrator in order to export them into autocad.
    As I'm very in exprienced, Ive tried to merge the layers in the psd file and then use Export -> 'Path to Illustrator', however when I open the newly created .ai file, it open a dialog box called 'Convert to Artboards' and whatever option i choose (either Legacy Artboard or Crop Area(s)' my new illustrator file seems to be empty.
    I appreciate any file anyone can offfer.
    Best Regards
    Alex.

    Importing PSD files into Illustrator
       •   Opening PSD files into Illustrator
    1.  Turn on your computer and launch the Illustrator program.
    2.  Open a new document by clicking File>New in Illustrator’s menu bar.
    3.  To open your Photoshop document, go to File>Open and then select the document you want to open when prompted.
       •   Placing PSD files into Illustrator (Editable)
    This method is ideal if you wish to incorporate a Photoshop document within an existing Illustrator document which can then make the PSD file editable within Illustrator.
    1. Launch the Illustrator program, select File>Place
    2. Locate the PSD file you want to import and click “Place”. Make sure the “Link” option is not selected.
    Placing or opening an unlinked Photoshop file will prompt a dialog box with options, choose the most appropriate option and then click “OK”.
    • Convert Layers to Objects: This option will convert the Photoshop layers into Illustrator objects to be able preserve masks, transparency and blending modes.                  
                                 • Flatten Layers to a Single Object: This option will flatten all the Photoshop layers into a single layer to preserve the look and appearance of the image; however individual Photoshop layers will no longer be editable.
       •   Placing PSD files into Illustrator (Not Editable)
    This method is ideal for incorporating your Photoshop files in an existing Illustrator document. Although the PSD file will no longer be editable it will be able to maintain a link to your original Photoshop file.
    1. Launch the Illustrator program, select File>Place.
    2. Locate the PSD file you want to import and click Place. Make sure the Link option is selected.
    - See more at: http://www.hiddenwebgenius.com/blog/design/how-to-import-psd-files-into-adobe-illustrator- and-indesign/#sthash.u19RHWSB.dpuf
    **The one time it did not work for me and appeared black was because of shadows (hue/saturation adjustment layer). So I compared the old .psd file, that converted fine, to the current one I was trying got send. One of the differences was the introduction of shadows by duplicating the fonts and image shapes, then merging them to a single image with hue/saturation adjustments. When adjusting the hue/saturation, it appears in a separate layer that was locked to next to image that was just produced. Some reason that was the bug that kept Illustrator from placing the .psd file in Illustrator. The solution was to merge the hue/saturation layer with the image layer. Now it’s back to normal.
    Hope this save you some time.

  • How to convert a file from MS Publisher to illustrator

    I am new to Adobe Cloud, I am not a designer.  I need help or I will lose my job. This is serious, please!
    I am finishing a small project that someone else started but has left our company.  This person was designing tickets for a fundraiser but was using MS Publisher, the company uses Adobe Cloud.  After reading and listening to these long drawn out exempts on tv.adobe.com no one has actually said, here' show you either import from publisher, or start over again with design, illustrator, phtoshop, etc. 
    The PDF file is messed not workable because on one page I have two images of the front of the ticket.  I need two pages, one to show the front of the ticket, the other page to reflect the back of the ticket.  There will be text boxes on both sides of the ticket.
    All images are of stuff, faces, characters, etc.? How is a novice to figure this out when nothing actually shows how to design what I am trying to design.  I am so frustrated I cannot stop crying!
    Please help, please!

    Thanks Mylenium.
    It would be easier to complete this small project in Publisher but our office and my home office are all Mac/Apple.  Publisher is nowhere in my life.  Also the file emailed to me is this former's employee's work.  She was designing tickets for an upcoming fundraiser and saved the front of the ticket but not a blank white text representing the back of of the ticket.  Since I do not have both the front and back it has been difficult to create the full ticket. Mylenium, this is why I cannot edit the entire pdf in acrobat.  I can and edit the front of the ticket, but part II is missing.
    I've never used the design programs in Adobe which is why creating the same ticket using, let's say Ai,Design, Ps, Dw has been a challenge.  However,
    I refuse to be defeated and I'll get this under wrap today!!!

  • How to find the CMYK,RGB color value in Illustrator CS3

    Hi,
    I want to find the color space of an raster item. I can able to get its color space using
    app.activeDocument.rasterItems[0].imageColorSpace
    if i found it To be CMYK color space, i need to find its value to know which color is present in the document.
    Thanks in advance,
    Poovili

    People have asked that before & I don't actually know. It seems pretty likely it's in the SDK somewhere though. I'd try searching the API folder for phrases that might relate to this and then investigate.

  • How to find the CMYK,RGB color value in Illustrator CS3 using Javascript

    Hi,
    I want to find the color space of an raster item. I can able to get its color space using
    app.activeDocument.rasterItems[0].imageColorSpace
    if i found it To be CMYK color space, i need to find its value to know which color is present in the document.
    Thanks in advance,
    Poovili

    People have asked that before & I don't actually know. It seems pretty likely it's in the SDK somewhere though. I'd try searching the API folder for phrases that might relate to this and then investigate.

  • How to use a grayscale color model in converting a colored image

    how to convert a colored image into grayscale using :
    ColorSpace cs = ColorSpace.getInstance(ColorSpace.CS_GRAY);
    int bits[] = new int[] {8};
    ColorModel cm = new ComponentColorModel(cs, bits, false, false,
    Transparency.OPAQUE,
    DataBuffer.TYPE_BYTE);
    please only this method , i don't need the "bandcombine" method cause i need to know that i have exact 256 grayscale colors, thanx in advance.

    I went into mail preferences in the first place. I found the fonts and colors and picked the color I want but it doesn;t seem to be sticking?

  • How to convert PNG image to Vertor Image to make font on Mac

    Hi Mac People,
    I like to create a set of font, and I have made them in a image editing tool, I have FontForge downloaded but decide to use it to convert instead direct design them inside.
    So now I don't know how to convert the PNG image to vector image required by the FontForge, I read some post mentioned Ubuntu has utilities to convert, but I'm not sure OS X has that function too.
    Could anyone let me know how to convert PNG so I can create my fonts?
    If PNG can't, the software can export TIFF or jpeg or similar.
    Please help me, I need make them this few day.
    Thanks everyone for giving me a hand!

    take a look at:
    http://developers.sun.com/techtopics/mobility/midp/articles/picture/

Maybe you are looking for

  • Command to open a PDF generated Oracle Report in New browser window

    I know this is probably something for the Oracle Forums but I'll ask anyway because I can't find any info out there on this, without some extra work. I am generating a PDF file from 10g Oracle reports on Linux RHEL 5 and storing the PDF file to the s

  • BIP: Upload error (Invalid BI Publisher Security model SBL-RPT-50532)

    Hi, We have Siebel 8.1.1.5 running and having trouble integrating with BI Publisher 10.1.3.4.2 . I have setup and configure BIP as per the instructions. When we try to upload reports from Reports - Standard Templates View, getting the following error

  • Which carrier should I use?

    I do not know which carrier I should use when I buy the new iPhone. Previously I have bought Rogers phones, but my texts sometimes weren't sent! I need a plan both affordable and reliable, which one should I go with?

  • Pls help...No class found for Datum in OracleXMLquery

    Hello, I tried to generate a simple XML document using OracleXMLQuery. But it gives me the following error. ========================== Exception in thread "main" java.lang.NoClassDefFoundError: oracle/sql/Datum at oracle.xml.sql.query.OracleXMLQuery.

  • Configuring ACF2 connector with OIM 11gR2

    Hi Experts, I am working on configuring ACF2 connector with OIM 11gr2, In an intermediatory step we need to copy VOYAGER_ID.properties file. The comment against this file is written as: Rename VOYAGER_ID with the name "Voyager server's VOYAGER_ID con