Creating transparent shapes in traced images

Ok so I am just starting out with Illustrator and until I know how to make vectors from scratch I've been making due with the 'Image Trace' option for my logos. I do run into a problem though. If something within the image needs to be cut out to show as a transparency, just deleting the vector shape the Trace created wont give me that. The black lines I use to border my image ends up turning into a whole background shape in itself, so whatever black I delete, all the connecting black gets deleted as well. I want to know a way I can select, for instance, inside the lettering of the image below and cut out a shape to match the border around the rest of the lettering. I hope I'm making sense! I don't know any technical terms yet...The solution is probably obvious but I'm lost none-the-less. This would be a big help!

residualhaunt,
To continue:
until I know how to make vectors from scratch I've been making due with the 'Image Trace' option for my logos
You may still start by drawing things by hand, or just use something you have drawn already, and use that as a template.
You may then scan the hand drawn artwork and place it on its own layer, locked, then recreate it (on top) by using the Pen Tool or other tools for special shapes (such as Rectangle/square, Ellipse/circle, Star, Polygon, Spiral, whatever), and you may use the Type Tool to create the text if you have the right fonts; you may edit while drawing with the tools, and you may edit/adjust afterwards.
One way of editing underway when using the Pen Tool is to use the Spacebar: when you Click or ClickDrag (for curved path segments) and wish to adjust the position of the Anchor Point you have just made, you may Hold the Spacebar and move about (ClickHolding) until you are satisfied; if it has Handles, the Handles are freezed as long as you Hold the Spacebar. You can switch freely between adjusting the Anchor Point and adjusting the Handles by Holding/non Holding the Spacebar as many times as you like, then go on to the next Anchor Point.
You can adjust Anchor Point positions and Handles afterwards by ClickDragging with the Direct Selection Tool (after deselecting the object if needed); you may Click the Anchor Point or an adjacent path segment to have the Anchor Point and Handles shown.
You may also start working without a template.
Unless you are after a hand drawn appearance, the Pen Tool gives more accurate and clean artwork than do the Pencil and Paintbrush Tools.
To practise with the Pen Tool, in order to get the insight into its working, you may trace anything: (serif) letters, circles, ellipses, (rounded) rectangles, images.
One thing to remember is that fewer Anchor Points (with the right Handles) give smoother shapes.

Similar Messages

  • Create transparency image from shape

    Hi,
    I'd like to create the application that create the transparency image from drawing data. the code is as follows.
    BufferedImage img = new BufferedImage(350,350,BufferedImage.TYPE_INT_RGB);
    Graphics2D g2 = img.createGraphics();
    GeneralPath gp = new GeneralPath(GeneralPath.WIND_NON_ZERO);
    gp.moveTo(100,100);     gp.lineTo(100,200);
    gp.lineTo(200,200);     gp.lineTo(200,100); gp.closePath();
    g2.setPaint(Color.yellow);
    g2.fill(gp);
    g2.setStroke(new BasicStroke(2));
    g2.setPaint(Color.red);
    g2.draw(gp);
    File outFile = new File("outimg.png");
    ImageIO.write(img,"png",outFile);
    I can create the image from such code, but the image is not transparent since the background is all black. What additional coding I need to make it transparent?
    Thanks,
    Sanphet

    1. use a PixelGrabber to convert the image into a pixel array
    2. (assuming pixel array called pixelArray) :
    if (pixelArray[loopCounter] == 0xFFFFFFFF) { //assuming the black your seeing is not a fully transparent surface
        pixelArray[loopCounter] = pixelArray[loopCounter] & 0x00FFFFFF; //sets alpha channel for all black area to 0, thus making it fully transparent
    }3. recreate an Image using MemoryImageSource
    I'm sure there is a quicker solution using some built in java functions...but hey, I dont' know it!! :)
    Here's a sample class that utilizes these techniques:
    * To start the process, click on the window
    * Restriction (next version upgrade) :
    *     - firstImage must be larger
    import java.awt.*;
    import java.awt.event.*;
    import java.awt.image.*;
    import javax.swing.*;
    public class AdditiveBlendingTest extends javax.swing.JFrame implements MouseListener, ActionListener, WindowListener {
        static final int ALPHA = 0xFF000000; // alpha mask
        static final int MASK7Bit = 0xFEFEFF; // mask for additive/subtractive shading
        static final int ZERO_ALPHA = 0x00FFFFFF; //zero's alpha channel, i.e. fully transparent
        private Image firstImage, secondImage, finalImage; //2 loades image + painted blended image
        private int firstImageWidth, firstImageHeight, secondImageWidth, secondImageHeight;
        private int xInsets, yInsets; //insets of JFrame
        //cliping area of drawing, and size of JFrame
        private int clipX = 400;
        private int clipY = 400;
        //arrays representing 2 loades image + painted blended image
        private int[] firstImageArray;
        private int [] secondImageArray;
        private int [] finalImageArray;
        //system timer, used to cause repaints
        private Timer mainTimer;
        //used for double buffering and drawing the components
        private Graphics imageGraphicalSurface;
        private Image doubleBufferImage;
        public AdditiveBlendingTest() {
            firstImage = Toolkit.getDefaultToolkit().getImage("Image1.jpg");
            secondImage = Toolkit.getDefaultToolkit().getImage("Image2.gif");
         //used to load image, MediaTracker process will not complete till the image is fully loaded
            MediaTracker tracker = new MediaTracker(this);
            tracker.addImage(firstImage,1);
         try {
             if(!tracker.waitForID(1,10000)) {
              System.out.println("Image1.jpg Load error");
              System.exit(1);
         } catch (InterruptedException e) {
             System.out.println(e);
         tracker = new MediaTracker(this);
         tracker.addImage(secondImage,1);
         try {
             if(!tracker.waitForID(1,10000)) {
              System.out.println("Image2.gif Load error");
              System.exit(1);
         } catch (InterruptedException e) {
             System.out.println(e);
         //calculate dimensions
         secondImageWidth = secondImage.getWidth(this);
         secondImageHeight = secondImage.getHeight(this);
         firstImageWidth = firstImage.getWidth(this);
         firstImageHeight = firstImage.getHeight(this);
         //creates image arrays
         firstImageArray = new int[firstImageWidth * firstImageHeight];
            secondImageArray = new int[secondImageWidth * secondImageHeight];
         //embeded if statements will be fully implemented in next version
         finalImageArray = new int[((secondImageWidth >= firstImageWidth) ? secondImageWidth : firstImageWidth) *
                 ((secondImageHeight >= firstImageHeight) ? secondImageHeight : firstImageHeight)];
         //PixelGrabber is used to created an integer array from an image, the values of each element of the array
         //represent an individual pixel.  FORMAT = 0xFFFFFFFF, with the channels (FROM MSB) Alpha, Red, Green, Blue
         //each taking up 8 bits (i.e. 256 possible values for each)
         try {
             PixelGrabber pgObj = new PixelGrabber(firstImage,0,0,firstImageWidth,firstImageHeight,firstImageArray,0,firstImageWidth);
             if(pgObj.grabPixels() && ((pgObj.getStatus() & ImageObserver.ALLBITS) != 0)){
         } catch (InterruptedException e) {
             System.out.println(e);
         try {
             PixelGrabber pgObj = new PixelGrabber(secondImage,0,0,secondImageWidth,secondImageHeight,secondImageArray,0,secondImageWidth);
             if (pgObj.grabPixels() && ((pgObj.getStatus() & ImageObserver.ALLBITS) !=0)) {
         } catch (InterruptedException e) {
             System.out.println(e);
         //adds the first images' values to the final painted image.  This is the only time the first image is involved
         //with the blend
         for(int cnt = 0,large = 0; cnt < (secondImageWidth*secondImageHeight);cnt++, large++){
             if (cnt % 300 == 0 && cnt !=0){
              large += (firstImageWidth - secondImageWidth);
             finalImageArray[cnt] = AdditiveBlendingTest.ALPHA + (AdditiveBlendingTest.ZERO_ALPHA & firstImageArray[large]) ;
         //final initializing
         this.setSize(clipX,clipY);
         this.enable();
         this.setVisible(true);
         yInsets = this.getInsets().top;
         xInsets = this.getInsets().left;
         this.addMouseListener(this);
         this.addWindowListener(this);
         doubleBufferImage = createImage(firstImageWidth,firstImageHeight);
         imageGraphicalSurface = doubleBufferImage.getGraphics();
        public void mouseEntered(MouseEvent e) {}
        public void mouseExited(MouseEvent e) {}
        public void mousePressed(MouseEvent e) {}
        public void mouseReleased(MouseEvent e) {}
        public void windowActivated (WindowEvent e) {}
        public void windowDeiconified (WindowEvent e) {}
        public void windowIconified (WindowEvent e) {}
        public void windowDeactivated (WindowEvent e) {}
        public void windowOpened (WindowEvent e) {}
        public void windowClosed (WindowEvent e) {}
        //when "x" in right hand corner clicked
        public void windowClosing(WindowEvent e) {
         System.exit(0);
        //used to progress the animation sequence (fires every 50 ms)
        public void actionPerformed (ActionEvent e ) {
         blend();
         repaint();
        //begins animation process and set's up timer to continue
        public void mouseClicked(MouseEvent e) {
         blend();
         mainTimer = new Timer(50,this);
         mainTimer.start();
         repaint();
         * workhorse of application, does the additive blending
        private void blend () {
         int pixel;
         int overflow;
         for (int cnt = 0,large = 0; cnt < (secondImageWidth*secondImageHeight);cnt++, large++) {
             if (cnt % 300 == 0 && cnt !=0){
              large += (firstImageWidth - secondImageWidth);
             //algorithm for blending was created by another user, will give reference when I find
             pixel = ( secondImageArray[cnt] & MASK7Bit ) + ( finalImageArray[cnt] & MASK7Bit );
             overflow = pixel & 0x1010100;
             overflow -= overflow >> 8;
             finalImageArray[cnt] = AdditiveBlendingTest.ALPHA|overflow|pixel ;
         //creates Image to be drawn to the screen
         finalImage = createImage(new MemoryImageSource(secondImageWidth, secondImageHeight, finalImageArray,
              0, secondImageWidth));
        //update overidden to eliminate the clearscreen call.  Speeds up overall paint process
        public void update(Graphics g) {
         paint(imageGraphicalSurface);
         g.drawImage(doubleBufferImage,xInsets,yInsets,this);
         g.dispose();
        //only begins painting blended image after it is created (to prevent NullPointer)
        public void paint(Graphics g) {
         if (finalImage == null){
             //setClip call not required, just added to facilitate future changes
             g.setClip(0,0,clipX,clipY);
             g.drawImage(firstImage,0,0,this);
             g.drawImage(secondImage,0,0,this);
         } else {
             g.setClip(0,0,clipX,clipY);
             g.drawImage(finalImage,0,0,this);
        public static void main( String[] args ) {
         AdditiveBlendingTest additiveAnimation = new AdditiveBlendingTest();
         additiveAnimation.setVisible(true);
         additiveAnimation.repaint();

  • How to create Icon with transparent shape inside

    Hi All
    I would like to create a vector icon with a transparent shape inside it, like in this image below:
    So everything should be transparent except of course the dark grey area...
    How Do I do that?
    Below is a link to my AI file if you want it:
    AI File
    Thank you!

    With just the book icon selected, release clipping mask. Select both items, Minus Front.
    Is that what you did? What Illy version?
    this is what I get, green rectangle was placed behind to see the "hole."
    Mike

  • How to create a shape based on the shape of an image

    I want to erase a portion of a mask based on the shape of an image. how can i do this? btw how to create a circle? thx

    Both your questions leave room for imagining what you might really mean, but here's a shot at answering them.
    If you have a mask that you want to erase portions of based on an image... assuming the mask is a simple rectangle you drew with the rectangle tool, change the opacity of the rectangle's fill in the color panel to make it see-thru, place the mask over the image, and using the eraser tool, erase the portions of the mask that you do not intend to retain using the image below it as a guide.
    As for drawing a circle, hover over the rectangle tool and a menu should appear.  Select the oval/ellipse tool.  To draw a circle, hold down the shift key and draw just as you did for the rectangle.  The shift key forces it to retain equal width and height.

  • How to create transparent image at run-time?

    How to create transparent image at run-time? I mean I want to create a (new) transparent image1, then show other (loaded) transparent image2 to image1, then show image1 to a DC. The problem is - image1 has non-transparent background...

    i'm not sure, but you can set the alpha value to 0 in all pixels which are 'in' the background..
    greetz
    chris

  • Manage stamps can no longer create transparent images

    I created a dozen transparent stamps from TIFF and GIF images using Photoshop.
    They all worked fine until very recently. Now when I try to create transparent stamps with Manage Stamps, it puts a solid background - no transparency even with images that previously worked.
    Existing Transparent stamps when opened in Manage Stamps also lose transparency (if saved).
    PDF format transparencies work with Manage Stamps but quality not as good as TIFF.
    Not sure if a recent upgrade to Acrobat or Adobe CS5 or removal of Macromedia CS5 caused this - perhaps some common library got corrupted or removed.
    Cannot find any clue about this with Google Search or anywhere within Adobe.
    Any help/hint would be appreciated.

    You need to switch to the old "Options" page, by going to Other and the end of the left pane there. Or directly via this link:
    https://outlook.office365.com/ecp/?rfr=owa&owaparam=modurl%3D0&p=account

  • Creating multiple shapes out of one image

    Hi!
    I tried several times now, but I just cant seem to get it. I have an image of person, with which I want to crop that person out of the background with the bezier tool. But I need to create multiple shapes to cover some background f.x under his arms. How can I do this?

    You realize I cannot see your screen, right? I do not understand your use of the terms "crop out" and "cover…under hsi arms." If you remove him, how are his arms still in the shot?
    Do you need multiple masks on one layer or do you need a different mask for every frame of video? That is called rotoscoping and is easily researched.
    bogiesan

  • How do I multiply an image and animate it in 3d space to create a shape?

    My boss has a small clip he would like me to make. He wants me to take an image (Its just a square image) and have it start in the center of the screen, and as it scales down and moves to one of the bottom corners (I've already got that part done) the image multiplies and creates a seamless circular/oval band in 3D space. He also wants this done with another image, but for this other image (also simply a square) to create a sphere as it multiplies.
      Is there an easier way to do this, or am I going to have to place, manipulate and animate each individual copy of the square image to create a solid band?
    I originally posted this question here: http://forums.adobe.com/thread/1056968
    Because what I am trying to do is similar to what she was able to do with the letters in this thread.
    Any help, tips or pointers anyone could give me would be great.

    Try searching aeEnhancers for a layer distributor script. That will automate the process of distributing layers in a sphere. Use that to set your final position then just work backwards. I don't remember exactly where the script is but I know it's out there.
    Another option would be to create a grid of these images where you animate the layers from the center to their position a grid of flat images. Nest that pre-comp in your main comp and apply CC Sphere.
    You could also write an expression that bases the layer's position relative to the index value of the layer. Duplicate the layer and the position is taken from the layer above and the layer width or height is added to distribute the layers. Base the move on the value over time and the layer's in and out point or layer markers. Now just arrange the layers in the timeline and you have an automated grid.

  • Best way to create a frame around an image

    I'm not sure what to use to create a frame of different shapes (I can do it with tubes in Paint Shop Pro but want to figure it out in Adobe) around an image and then give the image in that frame a fuzzy or old-fashioned look. I have the CS4 Master Collection so if anyone can point me to a tutorial for a product in the suite to do that I would greatkly appreciate it.
    Thanks very much!

    I'm not sure I understand your question. Do you mean a soft vignette, something like this:
    If so, then here's what I did.
    I started with a screen capture of your post, so I'd have something to use for an image.
    From the vector shapes tool, I selected the star shape. It's usually a rectangle, but you might prefer an ellipse.
    In the Properties panel at the bottom, I set the Edge to Feather and set the value to 25 pixels.
    I set the color of the star shape to white.
    I selected the shape and the image then went to menu Modify > Mask > Group as Mask. The vector shape acts like a fancy stencil. Where it's white, the masked image shows through. Where the mask is transparent (or black) the underlying image will be transparent. Intermediate values of transparency (or grey) in the mask will produce intermediate values of transparency in the masked image.
    I set the canvas color to dark blue, so you can see how the image is now faded with the mask. You might prefer a white canvas.
    The image is a Fireworks .png, so if you copy it to your computer, you can open it and see how it works. I have an extra copy of the image and star (non-visible), so you can see the two individual parts.
    If that isn't what you want, can you link to or post an example? Use the Insert Image control to add an image to your post. It's the camera icon to the left of the smilie.

  • Creating transparent logos help?

    Hi,
    I've been working through this tutorial
    http://tv.adobe.com/watch/the-complete-picture-with-julieanne-kost/pscs5-creating-transpar ent-logos-for-watermarks-and-overlays-in-photoshop/
    But as I have upgraded to Photoshop CC I am having a few issues.
    I have done everything in the tutorial, but when I come to use my custom shape if I just click on my image a pop up box appears that says 'Create custom shape' with boxes to fill in the pixel sizes, and two check boxes 'from centre or preserve proportions'.
    If I click and drag this box doesn't come up, instead the custom shape is put down ok but the little path squares are on. If I click on a different layer they go away, but when I click on the shape layer they come back again! How do I make it so that my custom shape appears like a normal image?
    I've got shape selected in the drop down box.
    I have just discovered the properties box, if I click on the shape path it changes to the normal shape, is there a way to make that the default?
    I also want to apply the layer style and have tried saving a new tool preset. But the layer style won't save on it. Any ideas what I am doing wrong?
    Any tips greatly appreciated.

    The Goblin wrote:
    Hi,
    I've been working through this tutorial
    http://tv.adobe.com/watch/the-complete-picture-with-julieanne-kost/psc s5-creating-transparent-logos-for-watermarks-and-overlays-in-photoshop /
    But as I have upgraded to Photoshop CC I am having a few issues.
    I have done everything in the tutorial, but when I come to use my custom shape if I just click on my image a pop up box appears that says 'Create custom shape' with boxes to fill in the pixel sizes, and two check boxes 'from centre or preserve proportions'.
    If I click and drag this box doesn't come up, instead the custom shape is put down ok but the little path squares are on. If I click on a different layer they go away, but when I click on the shape layer they come back again! How do I make it so that my custom shape appears like a normal image?
    I've got shape selected in the drop down box.
    I have just discovered the properties box, if I click on the shape path it changes to the normal shape, is there a way to make that the default?
    I also want to apply the layer style and have tried saving a new tool preset. But the layer style won't save on it. Any ideas what I am doing wrong?
    Any tips greatly appreciated.
    When you click on the document without dragging, the pop up appears as it want to know what size the shape should be at that location. Thats why it does not appear when you drag, as that drag tells photoshop what size the shape should be.
    What I think maybe happening, is you have the custom shape tool set to path instead of shape. In the top tool bar on the left side of the screen you will see (second icon in) a drop box or 3 icons (depending on your version) If a drop box click it and select shape, if 3 icons click the left icon not the middle or right.
    The shape option is also the default, so if you can not figure it out you can click right click on the very first icon in the top tool bar and select reset tool or reset all tools.
    Layer style do not save in the tool presets, those presets are for the tools not the object. What you need to do is open the styles panel (window>style) Then save your preset there. Either click on the new icon at the bottom of the styles panel or click inside the panel.

  • Making canvas shape same as image?!?!

    i am very new to photoshop and have to teach myself how to do whatever i'm doing as i do it........
    I've got an image i've made which is a rectangle (in portrait layout), with rounded corneres, in the psd file i've erased the corners of the image outside of the actual images rounded corners so i just have a transparrent background visible as the corners of the canvas, which ever way i the save this image and go to use it i still have the visible corners of the rectangular canvas showing.....
    how do i get the whole thing to be just my rounded cornered image with no canvas corners ruining it?
    many thnaks
    Jason

    Ok, wait...I don't think you are understanding things correctly.
    Please reread the first post:
    There's no way you can make a photoshop canvas side rounded, what you can do is just ctrl+click the layer thumbnail of the image that you did you will notice in the canvas area the image will have a selection, after that go to image menu >> crop. It will crop your canvas exactly the same as your image. Hope it helps.
    The overall file will be rectangle. But the portion where the white is showing can be made transparent (as all the above posts are guiding you to do). Once the corners are transparent and the image is placed into the program, website, etc that you are using it will then appear to be a rounded corner rectangle because you will be seeing through the white portion around the corners.
    Take a look at this image:
    This is a rounded corner .gif image. I placed this image into an Indesign file which had a pink background. Notice the blue rectangle around the black shape. That rectangle represents the actual canvas size of the document which I created the rounded corner rectangle image in photoshop. So all that space between the black image and the blue outline has been made transparent and you are seeing through it, however the original .gif image is actually the size and shape of that blue line (border).

  • LACK OF FULL PEN TOOL FUNCTIONALITY WHEN CREATING A SHAPE LAYER

    Hello, I'm going through Chris Meyer's video course on being an AE apprentice and have spent over an hour on the following issue.
    Here is what I know.
    I know I am trying to create a shape layer, not a mask, to create a frame to surround the video of the green field on the attached screenshot.  Therefore, I pressed "F2" to make sure I am doing so.
    I want to define the borders of this picture frame by using the pen tool to draw a path on the layer entitled "Windy Peak".
    I have highlighted that layer in my timeline.
    This video was pasted on to a placeholder shape that I had created using Command Option "/" on my Mac.
    I do have limited use of the pen tool, because it displays properly when I hover it above the borders of the video to be framed.
    But I lack access to the toolbar controls I want to complete my assignment.
    For example, I would like to create a gradient to define the internal coloration of this frame, but I have no use of the eyedropper when I click on the Color Picker.
    Also, I am unable to access or manipulate any of the standard fill or stroke options for use of my pen.
    This is what I know.  
    Thanks for your help!   Matt
    Message was edited by: Matt Dubuque to add the fact that the video had been pasted on to a placeholder shape image by pressing Command Option "/" on my Mac.

    Thanks for pitching in Todd and Rick, I appreciate it very much.
    As previously stated, I do have use of the pen tool, but it only has limited functionality as demonstrated by the path I created on the green meadow.  My Tools Panel remains activated .
    My core problem remains that I am unable to adjust the fill or stroke settings for my pen.
    I have tried changing and resetting various work spaces and this has not helped.
    I'm scratching my head here.
    Matt

  • Earser on traced image

    Hi,
    I got an Illustrator Trial to see how well it works for inking scanned drawings. I watched a few online lessons and already stumbled into a problem that I can't seem to solve, so any help would be appreciated.
    I'm using a non-english version so I hope my translations of the actions are not to confusing.
    I imported the scanned image to illustrator and then used object->image tracer and converted it to a vector graphic with area fill and no stroke. So far so good.
    I now want to erase little mistakes in the drawing, that look like this
    if I use the eraser, this happens:
    so the path is weirdly bend around the stroke of the eraser, which obviously isn't what I wanted to achieve. In all the videos I watched about the eraser, it worked fine and if I just create an area with the blob brush and erase a part of that, that works fine as well. What's so different with the traced image?
    Thanks in advance

    Hi,
    yes that kinda works but I think that would be too much work for that many details. Also it somehow leaves behind another path:
    So.. maybe somethings wrong with the way i convert the traced image?

  • Making the icon shape match the image

    So I have an image I want to use as an icon for a folder.  I basically want the icon to appear just as the shape of the image, with the background coming through the surrounding, i.e. the W in the Word icon. Currently when I paste the image to the folder as an icon image, it is surrounded by a white box (the background).
    I've through several searches, have made the background transparent in Photoshop, exported as a png, have reopened in Preview and have had no background showing.  Unfortunately when I attach it to the folder it is still bound with a white box when displayed as the icon, SL puts the white background back in.
    Any help, or links to examples I can use to fix this?

    Mac OS X (10.6.4)
    Use Software Update or the OS 10.6.8 combo update to update your OS.  Also, update everything SU has to offer for your computer.  When done, repair permissions and restart your computer.
    After doing the above:
    Highlight the icon........
    Hold down the Option Key......
    Go to File>Get Info......
    In the existing window, click the existing icon, and then choose Edit>Copy
    Next, click the icon to which you want to transfer the copied icon.  Its icon now appears in the Info dialog box that’s still open on the screen. 
    Click the icon in the dialog box, and this time choose Edit>Paste.  Viola!!!!!  You now have a new icon.
    Or you can download this easy to use simple shareware program called CandyBar.  This easy to use piece of software is also less time consuming.  And is now FREE!!!!!!

  • Transparent edge bug in image size reduction using bicubic

    I'm using Photoshop CS6 (64-bit) and ACR 7.1, all patched to the latest version today (13 June), and running Windows 7 64-bit. When I reduce the image size of an originally smart object using bicubic, the edges will be somewhat transparent, creating an ugly border around the image.
    Step 1: Open a raw file. ACR 7.1 will pop up. The raw file is a CR2 file produced by Canon EOS 7D. Workflow option: sRGB, 16 bit, 3888x2592.
    Step 2: Press shift+click the Open button to open it as smart object.
    Step 3. Right click the layer and choose rasterize layer. When you zoom the image, there is nothing wrong in the edges.
    Step 4: Resize the image (CTRL+ALT+I) for example to 300x200 using Bicubic resampling (bicubic auto, whatever).
    The edges (outermost 1 pixel) will be transparent! See attached image.
    This doesn't happen:
    * in photoshop cs5
    * if I use bilinear or other resampling
    * if I import the file from ACR to PS as a normal bitmap (not using shift+click)
    Anyone know what's going on here? My workflow involves opening files from Camera Raw as smart object, so if there is any workaround until the next patch I will be very glad.

    >> Are you sure?
    Yeah. I'm sorry, but why do you think I would write it if I didn't try it? I tried bilinear and nearest neighbor and they all work fine.
    And well considering the algorithms average neighboring pixels, with a naive implementation a transparent edge is expected i guess, but I expect photoshop cs6 to be just a little bit smarter than that.

Maybe you are looking for

  • Why does Garageband crash every time I open it?

    Can anyone decipher this message? It is a crash report for garageband. It crashes every time after 5 seconds. The only track I have is an itunes song on an audio track. Process:         GarageBand [11382] Path:            /Applications/GarageBand.app

  • Upgrade 640 to 700: ERROR is BI : com.sap.ip.bi.sdk.dac.connector

    Hello Experts, I am doing the java system upgrade from NW04 to NW04s SR2. During the "Deploy Online" phase, the upgrade is failing due to below error EAR file uploaded to server for 31ms. 07/11/10 05:34:18 -  ERROR: Not deployed. Deploy Service retur

  • Played podcasts not marked played ofter syncing

    My played podcasts are being marked unplayed on my Iphone and not removed from Itunes when I resync. I have my Itunes set to remove all unplayed from Iphone, and Itunes to only keep unplayed podcasts. This worked prior to the most recent update. I ha

  • Autorun.dll missing Error code 0x7e

    I am trying to install SharePoint 2013 on my Laptop running Windows server 2012. The SharePoint copy is a file downloaded from Microsoft site an evaluation one. The prerequisites were installed successfully  and, when I click the install SharePoint s

  • Bridge CS3 shows different colour on previews when they are selected

    LS, Problem, all of a sudden: Bridge CS3 shows different colours on previews when they are clicked and selected. At first, they are ok, they look the same as they are on camera. When I click an image and select it, it looks like there's a colour prof