What is the default size of icons on desktop?

For some reason after installing an application update all the icons on my desktop are now 16X16. What was the default size that came with the OS and what would have changed that setting?

48x48 is the default. I don't know why the setting might have changed, though.

Similar Messages

  • What is the default icon size for macbook pro 13 inch?

    I have the 13 inch macbook pro, its not the retina. What is the default icon size for it? I accidently changed it on the show view options.

    The default size is not related to the Mac Model, it's related to the OS X version. For Snow Leopard it's 48x48 pixels.
    For Lion and Mountain Lion it's 64x64.
    You can choose the size that is right for you. I typically use either 32x32 or 36x36. Some prefer larger some prefer smaller. It's up to you.
    I've always found the default sizes to be too big for my taste.

  • What Are The Default Music Icons On iTunes 10?

    What Are The Default Music Icons On iTunes 10?
    So far I have:
    Alternative
    Blues
    Classical
    Country
    Dance
    Electronic
    Folk
    Christian & Gospel
    Hip-Hop
    Jazz
    Latin
    Pop
    R&B
    Reggae
    Rock
    Vocal
    World Fusion
    Which ones am I missing?

    the default apps would vary by region
    this is whats in most models below
    facebook
    hi five
    youtube
    real player
    ovi music
    radio
    bounce tales
    these are whats on most models but they would vary by region and operator
    some others would have extra or even less
    If  i have helped at all a click on the white star below would be nice thanks.
    Now using the Lumia 1520

  • What is the default maximum email attachment size (Exchange 2003) on iPads?

    What is the default maximum email attachment size (Exchange 2003) on iPads?

    Maximum message size is determined by the mail server (Exchange in your case), not by the Mail app on your iPad. There are two settings in Exchange 2003 related to message size: One for incoming messages, one for outgoing. Both can be set to Unlimited, or to some number of kilobytes Exchange 2003 is a long time ago for me, but if I remember correctly the default size limit is 10240 KB (10 MB). Once those are set, the admin can also create policies to modify those limits for specific situations. You really need to ask your Exchange administrator how he/she has the max size configured.

  • What is the default font size and font number used in OBIEE piechar Legend

    Hi Experts,
    What is the default font size and font number used in OBIEE pie-chart Legend
    Thanks
    V

    The default is font size 11, Tahoma.

  • What is the default buffer size if we dont specify in buffer write?

    If we dont specify what is the default buffer size in BufferedWriter. How to increase/decrease the size of it?
    What is the purpose of flush?
    If flush() is not used, only partial content is written to the file. Is it because of the default size of the buffer.

    THis is the bufferedwriter class, it helps to look at them, look at the bold underlined, thats answers your defualt buffer size
    * @(#)BufferedWriter.java     1.26 03/12/19
    * Copyright 2004 Sun Microsystems, Inc. All rights reserved.
    * SUN PROPRIETARY/CONFIDENTIAL. Use is subject to license terms.
    package java.io;
    * Write text to a character-output stream, buffering characters so as to
    * provide for the efficient writing of single characters, arrays, and strings.
    * <p> The buffer size may be specified, or the default size may be accepted.
    * The default is large enough for most purposes.
    * <p> A newLine() method is provided, which uses the platform's own notion of
    * line separator as defined by the system property <tt>line.separator</tt>.
    * Not all platforms use the newline character ('\n') to terminate lines.
    * Calling this method to terminate each output line is therefore preferred to
    * writing a newline character directly.
    * <p> In general, a Writer sends its output immediately to the underlying
    * character or byte stream. Unless prompt output is required, it is advisable
    * to wrap a BufferedWriter around any Writer whose write() operations may be
    * costly, such as FileWriters and OutputStreamWriters. For example,
    * <pre>
    * PrintWriter out
    * = new PrintWriter(new BufferedWriter(new FileWriter("foo.out")));
    * </pre>
    * will buffer the PrintWriter's output to the file. Without buffering, each
    * invocation of a print() method would cause characters to be converted into
    * bytes that would then be written immediately to the file, which can be very
    * inefficient.
    * @see PrintWriter
    * @see FileWriter
    * @see OutputStreamWriter
    * @version      1.26, 03/12/19
    * @author     Mark Reinhold
    * @since     JDK1.1
    public class BufferedWriter extends Writer {
    private Writer out;
    private char cb[];
    private int nChars, nextChar;
    private static int defaultCharBufferSize = 8192;
    * Line separator string. This is the value of the line.separator
    * property at the moment that the stream was created.
    private String lineSeparator;
    * Create a buffered character-output stream that uses a default-sized
    * output buffer.
    * @param out A Writer
    *public BufferedWriter(Writer out) {*
    *     this(out, defaultCharBufferSize);*
    * Create a new buffered character-output stream that uses an output
    * buffer of the given size.
    * @param out A Writer
    * @param sz Output-buffer size, a positive integer
    * @exception IllegalArgumentException If sz is <= 0
    public BufferedWriter(Writer out, int sz) {
         super(out);
         if (sz <= 0)
         throw new IllegalArgumentException("Buffer size <= 0");
         this.out = out;
         cb = new char[sz];
         nChars = sz;
         nextChar = 0;
         lineSeparator =     (String) java.security.AccessController.doPrivileged(
    new sun.security.action.GetPropertyAction("line.separator"));
    /** Check to make sure that the stream has not been closed */
    private void ensureOpen() throws IOException {
         if (out == null)
         throw new IOException("Stream closed");
    * Flush the output buffer to the underlying character stream, without
    * flushing the stream itself. This method is non-private only so that it
    * may be invoked by PrintStream.
    void flushBuffer() throws IOException {
         synchronized (lock) {
         ensureOpen();
         if (nextChar == 0)
              return;
         out.write(cb, 0, nextChar);
         nextChar = 0;
    * Write a single character.
    * @exception IOException If an I/O error occurs
    public void write(int c) throws IOException {
         synchronized (lock) {
         ensureOpen();
         if (nextChar >= nChars)
              flushBuffer();
         cb[nextChar++] = (char) c;
    * Our own little min method, to avoid loading java.lang.Math if we've run
    * out of file descriptors and we're trying to print a stack trace.
    private int min(int a, int b) {
         if (a < b) return a;
         return b;
    * Write a portion of an array of characters.
    * <p> Ordinarily this method stores characters from the given array into
    * this stream's buffer, flushing the buffer to the underlying stream as
    * needed. If the requested length is at least as large as the buffer,
    * however, then this method will flush the buffer and write the characters
    * directly to the underlying stream. Thus redundant
    * <code>BufferedWriter</code>s will not copy data unnecessarily.
    * @param cbuf A character array
    * @param off Offset from which to start reading characters
    * @param len Number of characters to write
    * @exception IOException If an I/O error occurs
    public void write(char cbuf[], int off, int len) throws IOException {
         synchronized (lock) {
         ensureOpen();
    if ((off < 0) || (off > cbuf.length) || (len < 0) ||
    ((off + len) > cbuf.length) || ((off + len) < 0)) {
    throw new IndexOutOfBoundsException();
    } else if (len == 0) {
    return;
         if (len >= nChars) {
              /* If the request length exceeds the size of the output buffer,
              flush the buffer and then write the data directly. In this
              way buffered streams will cascade harmlessly. */
              flushBuffer();
              out.write(cbuf, off, len);
              return;
         int b = off, t = off + len;
         while (b < t) {
              int d = min(nChars - nextChar, t - b);
              System.arraycopy(cbuf, b, cb, nextChar, d);
              b += d;
              nextChar += d;
              if (nextChar >= nChars)
              flushBuffer();
    * Write a portion of a String.
    * <p> If the value of the <tt>len</tt> parameter is negative then no
    * characters are written. This is contrary to the specification of this
    * method in the {@linkplain java.io.Writer#write(java.lang.String,int,int)
    * superclass}, which requires that an {@link IndexOutOfBoundsException} be
    * thrown.
    * @param s String to be written
    * @param off Offset from which to start reading characters
    * @param len Number of characters to be written
    * @exception IOException If an I/O error occurs
    public void write(String s, int off, int len) throws IOException {
         synchronized (lock) {
         ensureOpen();
         int b = off, t = off + len;
         while (b < t) {
              int d = min(nChars - nextChar, t - b);
              s.getChars(b, b + d, cb, nextChar);
              b += d;
              nextChar += d;
              if (nextChar >= nChars)
              flushBuffer();
    * Write a line separator. The line separator string is defined by the
    * system property <tt>line.separator</tt>, and is not necessarily a single
    * newline ('\n') character.
    * @exception IOException If an I/O error occurs
    public void newLine() throws IOException {
         write(lineSeparator);
    * Flush the stream.
    * @exception IOException If an I/O error occurs
    public void flush() throws IOException {
         synchronized (lock) {
         flushBuffer();
         out.flush();
    * Close the stream.
    * @exception IOException If an I/O error occurs
    public void close() throws IOException {
         synchronized (lock) {
         if (out == null)
              return;
         flushBuffer();
         out.close();
         out = null;
         cb = null;
    What Flush(); does
    Example, you have a file called c, your writer is b and buffereredwriter is a. so your programs calls a, a talks to b, and b talks to c. when you call the Flush method, the information is sent to the outfile which is c immediately before you even close the file, because when you write to the file, it does not write directly, it writes to a buffer, so flush actually causes the buffer to write to file. Also if you call the close method on that file without the flush, the buffer will still get flushed.
    consider BufferedWriter c = new BufferedWriter(new PrintWriter("c:\\c"));
    you wrap printwriter into a buffered writer, now if you close this "connection" to the file, the buffer will get flushed, noting that all the data is sitting in the buffered and not yet in the file, and this happens if something dont break...

  • What is the default heap size in a oc4j instance

    Hi There,
    I am wondering what is the default heap size for an oc4j instance if you don't specify -Xms and -Xmx?
    Thanks,
    Xingsheng

    If you're using the Sun JDK 1.4 I believe the max is 64MB. Not sure about 5.0. It's really dependent on the JVM you're using, not OC4J.
    Jason

  • How do I set the default size of a new folder?

    I have finder sized the way I want for existing folders and if I do Finder > New Finder Window. These preferrences, however, do not seem to apply to new folders. Everytime I create a new folder on my desktop, and open that folder for the first time, the window size is really small and the sidebar is narrow. This is incredibally annoying. How do I set the default size for all new folders? Is there a plist file I can edit to fix this? Or an AppleScript I can run automatically in the background that fixes this? I am running Mavericks 10.9.1.

    If you use the Finder's New Finder Window command (command N) to create a new window, resize it, place it where you want, and set it for icon view or however you want it. Then close it. Closing it is what sets these as the default. That should become the default for every new Finder window you create using the new window command. But if you have lots of windows open at once and then close them, the last window you close will set a new default.
    There are lots of utilities that control Windows - their size and placement. I use one called Moom but there are many more.

  • How do you change the default size of the print batch size for mail merge in Publisher 2010?

    I appended this question to another thread with the same topic but have not received a reply, so I'll try with a new question. Publisher 2010, when doing mail merge, will only merge and print two records at a time. How do you change the default size of
    the print batch size? This is for a 4 page document, 8 1/2 x 11, printed two sides on 11 x 17. I've tried all the suggestions that were in the other thread. The response that was marked as the answer by the moderator is incorrect and does not work. Nothing
    suggested in that thread works. A registry fix that worked for Publisher 2003 won't work because the print batch size key does not exist in the registry for Pub 2010. At least not that I can find. Printing to an XPS document doesn't work. It asks for a filename,
    prints 2 records, asks for new file name, prints 2 records, asks for new file name, and so on. The same for printing to a PDF document. Merging to a new Pub document doesn't work. When I print that job every other sheet is turned over. I.e., sheet one has
    pages 1 & 3 on top, next sheet has 3 & 4 on top, and so on. This makes it impossible to run them through the folder. The same thing happens when I print that complete merged document to XPS or PDF. I have the latest drivers installed for our printer, a Toshiba
    2500C copier/printer connected via network. What do I need to do to to change the batch size to something reasonable, like 100 records?

    It's been two weeks since I posted this question. What does it take to get an answer? I cannot believe it's being ignored, nor can I believe that someone in MS doesn't have an answer.

  • What is the maximum size for open_cursors parameter in 11g database

    what is the maximum size we can set for open_cursors parameter in 11g database..

    Oracle® Database Reference
    11g Release 1 (11.1)
    Parameter type     Integer
    Default value     50
    Modifiable     ALTER SYSTEM
    Range of values     0 to 65535
    Basic     Yes
    For details, go to the following link:
    http://www.seasongreetings.org/documentation/oracle/database/11.1/server.111/b28320/initparams153.htm

  • What's the maximum size.......

    What's the maximum size of an ImageIcon to be supported by a Label???
    I'm trying to show a 3.5 Mb image and doesn't show it. But a 1 Mb does....
    Can anyone tell me why this happens???

    Well maybe you have to set the size of the Label to the size of the Image - use setPreferredSize() to set the size of the label....
    otherwise you can do something like this :
    //Get the Icon
    icon =
    new ImageIcon(YourFrame.class.getClassLoader().getResource(
                   "/images/yourImage"));
    //Get he Width of the Label on which the Image is placed
    int width = imageLabel.getSize().width;
    //Get the height of the label on which the Image is placed
    int height = imageLabel.getSize().height;
    //Get the Scaled image
    Image scaledImage = image.getScaledInstance(width,height,Image.SCALESMOOTH);
    //Set the Image of the Icon
    icon.setImage(scaledImage);
    //Update the Image Label
    imageLabel.updateUI();
    --j                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                   

  • What is the maximum size limit for a KM document to be uploaded?

    Hi,
    1.  I have a requirement, wherein the user wants to upload a document which is more than 448MB in KM.
    I am not sure what is the maximum limit that standard SAP provides by default, which I can advice the user at the first place.
    2. what if we want to increase the max limit of the size?Where do we do that, can you suggest me the path for the same?
    Thanks in advance.
    Regards
    DK

    Hello,
    CM Repository in DB Mode:
    If there is a large number of write requests in your CM usage scenario, set up the CM repository in database mode. Since all documents are stored in the database, this avoids unintentional
    external manipulation of the data.
    CM Repository in FSDB Mode:
    In this mode, the file system is predominant. If files are removed from or added to the file system, the database is updated automatically.
    If you mainly have read requests, choose a mode in which content is stored in the file system. If this is the case, make sure that access to the relevant part of the file system is denied or
    restricted to other applications.
    What is the maximum size of the document that we can upload in a CM (DB) and CM (FSDB) without compromising the performance ?
    There are the following restrictions for the databases used:
    ·  Maximum number of resources (folders, documents) in a repository instance
       FSDB: No restriction (possibly limited by file system restrictions)
       DBFS and DB: 2,147,483,648
    ·  Maximum size of an individual resource:
       FSDB: No restriction (possibly limited by file system restrictions)
       DBFS: 8 exabytes (MS SQL Server 2000), 2 GB (Oracle)
       DB: 2 GB
    Maximum length of large property values (string type):2,147,583,647 byte
    What is the impact on the performance of Knowledge Management Platform and on Portal Platform when there are large number of documents that are in sizes somewhere from 100 MB to 500 MB or more.
    The performance of the KM and Portal platform is dependent on the type of activity the user is trying to perform. That is a heavy number of retrievals of the large documents stored in the repository for
    read/write mode decreases the performance of the patform. Searching and indexing in the documents will also take a propertionate amount of time.
    For details, please refer to,
    http://help.sap.com, Goto "KM Platform" and then,
    Knowledge Management Platform   > Administration Guide
    System Administration   > System Configuration
    Content Management Configuration   > Repositories and Repository
    Managers    > Internal Repositories   > CM Repository Manager
    Technically speaking the VM has a restriction according to plattform.  W2k is somewhere around 1,2G and Solaris, I believe, 4G.
    Say for instance I was on a W2k box I allotted 500+ for my J2EE Engine that would leave me with the possiblity to upload close to 600mb documents max.
    See if the attached documents (610134, 634689, 552522) can provide you some guidance for setting your VM to meet your needs.
      SUN Documentation
      Java HotSpot VM Options
            http://java.sun.com/docs/hotspot/VMOptions.html
      How to tune Garbage collection on JVM 1.3.1
            http://java.sun.com/docs/hotspot/gc/index.html
      Big Heaps and Intimate Shared Memory (ISM)
            http://java.sun.com/docs/hotspot/ism.html
    Kind Regards,
    Shabnam.

  • Export/Import-SPSIte :- What is the max size limit that can be moved using this command??

    Export/Import-SPSIte :- What is the max size that can be moved using this command??

    I assume you ment Export-SPWeb not Export-SPSite command.
    There is no known limitations in file size, except the compression file size that is set to 24MB by default. If you exceed 24MB, the cmp file will be splitted into several files. You can change the default 24MB value up to 1024MB, using the -compressionsize
    parameter.

  • What is the default value of Vector?

    what is the default value of the Vector? now another main thing i have generate one vector with fix size like
    Vector v=new Vector(5);
    now the thing is that suppose i add sixth element at that time it's size will be 10 or will be 15.
    Vector v1=new Vector(15);
    now i add 16 the elment so at that time vector size is 25 or it will be 30??

    ya i get it your point let's i explain which i understand from your side ok
    Vector v=new Vector(10,15)
    so in this case it's size is 10 right when i add 11the element at that time it's size is 25 right?
    Vector v1=new Vector(5);
    in this case the it's size is 5 right and when i add 6th element at that time it's size will be double in short 10 in this case right.
    Vector v2=new Vector();
    in this case the default size is 10 right when i add 11th element at that time it's size is 20 right
    If my understanding is wrong then pl'z explain this thing with examples
    waiting for your reply.

  • What is  the default value of iterator's rangesize in pageDef.xml

    there are two jspx file,one named by browsePage,another editPage.they use the same VO. and i can go into editPage from browsePage by commandButton or commandLink .
    the rangesize of the iterator in browsePage is 10, like this
    <iterator id="SysTabColorView1Iterator" RangeSize="10"
    Binds="SysTabColorView1"
    DataControl="SysManageAppModuleDataControl"/>
    usually in editPage, it like the following
    <iterator id="SysTabColorView1Iterator" RangeSize="10"
    Binds="SysTabColorView1"
    DataControl="SysManageAppModuleDataControl"/>
    now i have a question ,when i dont set the value of RangeSize in editPage, what is the default value of this iterator.
    other business, when i set the value to 1 , it will occur the famous error ,
    JBO-

    Hi,
    if you are browsing to the edit page from the browse page it doesn't matter what the range size is. If you've navigated though the ranges on the browse page then you will be in the correct range set and ranging won't be a problem.
    Brenden

Maybe you are looking for

  • Pdf forms possibilities

    hi everyone I'm a complete newbie to pdf forms and using acrobat pro so just wanted to test the waters with a few questions if someone could help me out please. 1. With forms can you create multiple choice questions and when the reader selects an opt

  • IPod nano charges but is not recognized

    Good morning. Im writing this topic, because I saw all the topics about this same problem, and none of them solved mine. I hope you can help me on this, so here is the thing: When I connect my iPod to the 2.0 usb port, the ipod lights its screen, cha

  • CONVERT A SCANNED .txt file to PDF

    I'm trying to edit a scanned document in .txt, but need to change it to PDF so I can edit it. Please advise

  • Adding Android Licensing with Flash Professional and AIR 3.0

    I have done the overlay AIR 3 stuff, but I still can't find an answer on how to get Android Licensing Service implemented after days and days of searching. It is pretty poitless to package a paid Android app without the licensing check as it would ju

  • Olympus OM-D EM-5 color profiles

    I guess that people at Adobe are super busy with working on compatibility with the never ending stream of new cameras. Since the OM-D is so popular however, I would like to know why it didn't get a set of camera specific color profiles - just the Ado