[Feature Request] See types of 'handles' in AM Wizard

With the Application Module Wizard, I mean the dialog that comes up when double clicking the AM in the project window.
Anyway, on the left in that dialog, you see a tree of available VO-definitions, while on the right you see the tree of instances of these VO's. However, apart from possibly the name of the instances, there seems no way of knowing what the original types were.
Recently I have changed the name of some VO's in my BC4J project. However, the names under which the instances of these VO's were 'registered', remained the same (which is expected behaviour). Now when I open the AM Wizard, I can't immediately tell the original VO types of these instances. Only the names (or handles) are visible.

Repost
Obviously, this feature is pretty important to me.. Right now I'm just interested to know if anything has been/will be done regarding this. Any comments from the JDev team?

Similar Messages

  • FEATURE REQUEST: use type literal for primitive StoredMap creation

    Mark, hello;
    I suggest to incorporate into api classes like shown below to avoid boiler plate with primitive bindings;
    the idea is to use TypeLiteral approach:
    http://google-guice.googlecode.com/svn/trunk/javadoc/com/google/inject/TypeLiteral.html
    so you can instantiate like this:
    // note the tail
              PrimitiveStoredMap<String, Integer> map = new PrimitiveStoredMap<String, Integer>(database) {};
    thank you;
    Andrei.
    import java.lang.reflect.Type;
    import java.util.HashMap;
    import java.util.Map;
    import com.sleepycat.bind.EntryBinding;
    import com.sleepycat.bind.tuple.BooleanBinding;
    import com.sleepycat.bind.tuple.ByteBinding;
    import com.sleepycat.bind.tuple.CharacterBinding;
    import com.sleepycat.bind.tuple.DoubleBinding;
    import com.sleepycat.bind.tuple.FloatBinding;
    import com.sleepycat.bind.tuple.IntegerBinding;
    import com.sleepycat.bind.tuple.LongBinding;
    import com.sleepycat.bind.tuple.ShortBinding;
    import com.sleepycat.bind.tuple.StringBinding;
    import com.sleepycat.bind.tuple.TupleBinding;
    import com.sleepycat.collections.StoredMap;
    import com.sleepycat.je.Database;
    public abstract class PrimitiveStoredMap<K, V> extends
              ConcurrentMapAdapter<K, V> {
         private static final Map<Class<?>, TupleBinding<?>> primitives = new HashMap<Class<?>, TupleBinding<?>>();
         static {
              addPrimitive(String.class, String.class, new StringBinding());
              addPrimitive(Character.class, Character.TYPE, new CharacterBinding());
              addPrimitive(Boolean.class, Boolean.TYPE, new BooleanBinding());
              addPrimitive(Byte.class, Byte.TYPE, new ByteBinding());
              addPrimitive(Short.class, Short.TYPE, new ShortBinding());
              addPrimitive(Integer.class, Integer.TYPE, new IntegerBinding());
              addPrimitive(Long.class, Long.TYPE, new LongBinding());
              addPrimitive(Float.class, Float.TYPE, new FloatBinding());
              addPrimitive(Double.class, Double.TYPE, new DoubleBinding());
         private static void addPrimitive(Class<?> cls1, Class<?> cls2,
                   TupleBinding<?> binding) {
              primitives.put(cls1, binding);
              primitives.put(cls2, binding);
         @SuppressWarnings("unchecked")
         public PrimitiveStoredMap(Database database) {
              ParameterizedType type = (ParameterizedType) getClass().getGenericSuperclass();
              Type[] typeArgs = type.getActualTypeArguments();
              Class<K> keyClass = (Class<K>) typeArgs[0];
              Class<V> valueClass = (Class<V>) typeArgs[1];
              TupleBinding<K> keyBinding = (TupleBinding<K>) primitives.get(keyClass);
              TupleBinding<V> valueBinding = (TupleBinding<V>) primitives.get(valueClass);
              if (keyBinding == null || valueBinding == null) {
                   throw new IllegalArgumentException(
                             "only string or primitive bindings "
                                       + "are supported for keys and values "
                                       + "you are using : (" + keyClass.getSimpleName()
                                       + "," + valueClass.getSimpleName() + ")");
              this.map = makeMap(database, keyBinding, valueBinding, true);
         protected StoredMap<K, V> makeMap(Database database,
                   EntryBinding<K> keyBinding, EntryBinding<V> valueBinding,
                   boolean isWriteable) {
              return new StoredMap<K, V>(//
                        database, keyBinding, valueBinding, isWriteable);
    import java.util.Collection;
    import java.util.Map;
    import java.util.Set;
    import java.util.concurrent.ConcurrentMap;
    public class ConcurrentMapAdapter<K, V> implements ConcurrentMap<K, V> {
         protected ConcurrentMap<K, V> map;
         @Override
         public int size() {
              return map.size();
         @Override
         public boolean isEmpty() {
              return map.isEmpty();
         @Override
         public boolean containsKey(Object key) {
              return map.containsKey(key);
         @Override
         public boolean containsValue(Object value) {
              return map.containsValue(value);
         @Override
         public V get(Object key) {
              return map.get(key);
         @Override
         public V put(K key, V value) {
              return map.put(key, value);
         @Override
         public V remove(Object key) {
              return map.remove(key);
         @Override
         public void putAll(Map<? extends K, ? extends V> m) {
              map.putAll(m);
         @Override
         public void clear() {
              map.clear();
         @Override
         public Set<K> keySet() {
              return map.keySet();
         @Override
         public Collection<V> values() {
              return map.values();
         @Override
         public Set<java.util.Map.Entry<K, V>> entrySet() {
              return map.entrySet();
         @Override
         public V putIfAbsent(K key, V value) {
              return map.putIfAbsent(key, value);
         @Override
         public boolean remove(Object key, Object value) {
              return map.remove(key, value);
         @Override
         public boolean replace(K key, V oldValue, V newValue) {
              return map.replace(key, oldValue, newValue);
         @Override
         public V replace(K key, V value) {
              return map.replace(key, value);
    Edited by: user8971924 on Mar 26, 2011 7:52 PM

    great! thanks for considering this;
    still more ideas: add the "byte array primitive":
    public class ByteArray {
         private final byte[] array;
         public ByteArray(final byte[] array) {
              this.array = array == null ? new byte[0] : array;
         public byte[] getArray() {
              return array;
         @Override
         public boolean equals(Object other) {
              if (other instanceof ByteArray) {
                   ByteArray that = (ByteArray) other;
                   return Arrays.equals(this.array, that.array);
              return false;
         private int hashCode;
         @Override
         public int hashCode() {
              if (hashCode == 0) {
                   hashCode = Arrays.hashCode(array);
              return hashCode;
         @Override
         public String toString() {
              return Arrays.toString(array);
    public class ByteArrayBinding extends TupleBinding<ByteArray> {
         @Override
         public ByteArray entryToObject(TupleInput ti) {
              return new ByteArray(ti.getBufferBytes().clone());
         @Override
         public void objectToEntry(ByteArray array, TupleOutput to) {
              to.write(array.getArray());
    public abstract class PrimitiveStoredMap<K, V> extends
              ConcurrentMapAdapter<K, V> {
         private static final Map<Class<?>, TupleBinding<?>> primitives = new HashMap<Class<?>, TupleBinding<?>>();
         static {
              // je
              addPrimitive(String.class, String.class, new StringBinding());
              addPrimitive(Character.class, Character.TYPE, new CharacterBinding());
              addPrimitive(Boolean.class, Boolean.TYPE, new BooleanBinding());
              addPrimitive(Byte.class, Byte.TYPE, new ByteBinding());
              addPrimitive(Short.class, Short.TYPE, new ShortBinding());
              addPrimitive(Integer.class, Integer.TYPE, new IntegerBinding());
              addPrimitive(Long.class, Long.TYPE, new LongBinding());
              addPrimitive(Float.class, Float.TYPE, new FloatBinding());
              addPrimitive(Double.class, Double.TYPE, new DoubleBinding());
              // custom
              addPrimitive(ByteArray.class, ByteArray.class, new ByteArrayBinding());
    }

  • Feature request: Better handling of accents

    Hi everyone,
    Since the "Provide iTunes feedback" menu item in iTunes itself only allows you to request music from the iTMS, I'm going to post my feature request for iTunes here, and hope that Apple picks up on it.
    For most of the English-speaking world, accented characters (e.g.: é, à, â, ö, etc...) are never used, but for someone like me who speaks French or someone who has international music, it's an important part of using your computer.
    So, here are two suggestions on how iTunes could handle accented characters more gracefully:
    1. Don't be so aggressive in the auto-complete behaviour! iTunes will routinely disregard capitalisation and accents in order to "fuzzy-match" the auto-complete.
    For instance, suppose I have an artist in my library named "Stephanie McKay", and I want to add another artist named "Stéphane Pompougnac". Here is how the auto-complete would look at six different stages (iTunes' suggestions are in square brakets):
    1. St[ephanie McKay]
    2. Ste[phanie McKay] iTunes replaces the é I just typed with a normal, unaccented e
    3. Stephan[ie McKay]
    4. Stephane iTunes doesn't have any suggestions to make at this point
    5. Stephane Pompougnac I've typed in the complete name, and now I have to return to put the accent on the first e
    6. Stéphane Pompougnac
    In this case, the 'é' should've stuck as of step 2 and iTunes should've not had any suggestions to make since nothing else in my library starts with 'Sté'.
    2. As far as searches go, the same is partially true, but with one caveat. If I'm searching for "Stéph", I should only get one result back, "Stéphane Pompougnac".
    On the other hand, if I'm searching for "Steph", I think there's a possibility that I was too lazy to type the accent or I didn't know if/where there was an accent, and so I should get both results back: "Stéphane Pompougnac" and "Stephanie McKay".
    The same is true of other accented characters (é, à, ö, ô, and even ç). I don't know how languages other than French and Spanish deal with characters that look alike (e.g. ø and o) or that represent the same thing, but if there is a relationship, I suppose the same behaviour should apply there.
    Cheers,
    - tonyboy

    Hi Brad,
    Thanks a lot for pointing this out. We have verified this. We are looking into this issue and would try to incorporate the fix in future releases.
    Regards
    Utsav

  • Feature Request: AME Watch Folders file type filter

    Hi,
    maybe I'm posting it to the wrong forum. If so, maybe some moderator can move this thread to the correct forum.
    I'm exporting Quicktime Reference files from Avid, which creates two files: .mov and. wav. Since I'm exporting it to Watch Folder AME automatically converts the wav also. But would be useful to "tell" AME only convert files with mov extension. It's of course possible later to erase encoded sound files but would be convinient to point out only the file types which require converting.
    thank you,
    Revenger

    Use this: Adobe Feature Request/Bug Report Form

  • Feature Request - Options to Size & Align Type by Cap Height

    I have repeated this feature request at least a couple or more times in this forum over the years. It's a pretty fundamental, basic design thing that bears repeating until the feature is incorporated somehow.
    From its first version up to now Adobe Illustrator has only sized type according to the height of the Em Square. That's the standard convention for print and doesn't really need to change for print publishing. However the Em square methods are really pretty bad in other areas. Designers need pixel-level control for creating and positioning type on electronic, pixel-based screens. For large format printing, sign design and outdoor advertising designers need to size type by cap height in units of inches, centimeters or pixels when designing for LED variable message center signs.
    Adobe Illustrator currently can't even do something as simple as accurately aligning lettering vertically inside of a box. When aligning by way of the Em square the type is never correctly aligned. The fundamentals needed for this have never been present in the application. It really stinks. Designers have to employ all sorts of time-wasting work-arounds to get the type looking correct. This makes basic tasks like button creation far more of a time wasting chore than it should be.
    All fonts have built-in values that establish a capital letter height in numerical terms (the units between the base line and M height line). Industry specific sign design software applications like Flexi and Gerber Omega access that font data and allow designers to accurately size, align and position type according to its capital letter height. Adobe Illustrator can and should be able to do the very same thing. Not only that, but Illustrator could let designers size, position and align type in terms of inches, centimeters and pixels.
    I'm not sure how this feature should be incorporated. Perhaps it could be something that users can enable in the document setup. Or it could be an optional type palette. Nevertheless, it is a badly needed, very basic feature rooted in the core of Adobe Illustrator's vector object editing purposes.

    I'll also add this is a feature that should be carried over into Adobe Photoshop too.
    Within Adobe Photoshop if you want to size type in terms of pixels the type is, again, sized according to the Em square. Unless you're setting type at pretty large pixel sizes the rendered type really ends up looking pretty bad. That's because the edge of the baseline and the edge of the cap height line are never aligned to the pixel grid. You end up with type that's fuzzy looking on all sides. If designers were able to tell Photoshop "make this lettering 20 pixels tall according to the capital letters" the lettering would looking a whole lot better. Perfectly crisp edges on the base lines and cap height lines.

  • Display xml documents - how to submit a feature request?

    Safari is useless when it comes to render raw xml documents. You have to view the actual source to see the xml.
    Is there an official way to submit a feature request for safari to apple? I would love to see something similar to what firefox does with xml. Safari is such a fast and nice browser, if it only could handle text/xml better...

    As you said Safari simply shows all xml element content concatenated together. But no tags or attribute values. If the ContentType in the http header is set to text/xml Firefox shows an xml tree that you can nicely browse. I think IE5+ and Opera do that too. It is important to set the right content type though. Here is an example that shows nice in FF, but is unreadable in Safari:
    http://ww3.bgbm.org/biocase/pywrapper.cgi?dsa=Herbar
    Sure you can look at the source code, but the xml might not be pretty printed.

  • Posting Feature Requests for others to Copy/Paste

    I recently posted a Feature Request I sent to Adobe for another member to copy/paste as his own FR since he liked the suggestion (see the FR below). 
    After doing so, I got the idea that we could all do this: copy/paste FRs we send to Adobe into threads on this forum to help each other support the idea with similar requests, or even copy/paste the FR as our own.  With limited resources and time, there's only so many requests Adobe can implement in every new version.   That why it's so important that new features the Premiere Pro team invests their hard work and time on be the tools that would benefit the greatest number of editors.  The more people back up certain ideas, the more likely they'll be implemented sooner than later.
    There's power in numbers, so how about using this forum to share our best ideas and make it easier for others to add their voice of support?  It's great that Adobe provides us with a way to send them feedback, but it's too bad that it's a one-way conversation with very little, if any, dialogue back and forth between the submitter and Adobe.  That's why I thought it would be great to bring more of that potential dialogue here, where we can share ideas and support the creation of an ever better Premiere Pro!
    If you've never posted a FR or BR (Bug Report) before, you can easily join the effort to make Premiere Pro become all that it can be, here: www.adobe.com/go/wish
    Comments?  Ideas?  Please share!
    Here's the FR I pasted in another thread, as an example. 
    *******Enhancement / FMR*********
    Brief title for your desired feature:  Drag&Drop Modified clips into Project Window
    How would you like the feature to work?
    Ability to Drag&Drop clips with effects, motion settings, keyframes and/or markers back into the Project Window from the Timeline for later use.
    Why is this feature important to you?
    The Project Window is far better than Sequences for storing/organizing modified clips for future use, since it is:
    Searchable
    Sortable
    Viewable in Icon and List views
    Full of helpful metadata columns such as 'Video/Audio Usage'
    Foolproof in that the original sequence can be deleted without losing any created subclips
    Given these advantages, why only allow us to store modified clips in Sequences? Please fix this by allowing users to Drag&Drop clips from the Timeline to the Project Window while preserving all of their modifications (effects, keyframes, motion settings and/or markers).

    Comments?  Ideas?  Please share!
    As it has already been discussed in this thread (and duplicated threads are not allowed in Adobe Forums), the aforementioned feature request is mainly based on the false statement that an editor can either store raw clips in the Project panel or modified clip in the timeline. That's false because an editor can nest modified clip right in the timeline and the nested sequence will be automatically stored in the Project panel, turning into a regular reusable asset.
    Unfortunately, the OP, as was also outlined in the duplicated thread, carefully avoids any mentioning this ability, which becomes your second nature if you use After Effects (which is unlike FCP is a part of Adobe Suite).
    However, since the OP asks for sharing ideas, I do not hesitate to do this once again. Here is the feature request intended to improve the usability of such PrPro assets as 'Sequences' without breaking existing workflow:
    *******Managing Sequences*******
    It would be nice if managing capabilities for such assets as 'Sequences' were extended with the following features:
    - similar live thumbnail view, which was introduced for footages in CS6. A small 'Sequence' badge in the top left corner of the thumbnail would allow to differentiate between sequences and clips;
    - enabled metadata and ability to handle them like for any other regular asset;
    - ability to remove empty audio or video tracks completely, i.e. get a sequence as an Audio or Video asset only;
    - pop-up dialog box on hitting 'Nest' command, which would allow to give meaning name instead of default 'Nested Sequence XXX', contain 'Delete All Empty Tracks' checkbox and a button for advanced dialog for logging metadata right on a brand new asset creation.
    These features would improve an ability to exploit sequences as reusable assets and preserve consistent applications behaviour throughout the Suite instead of breaking existing workflow by inventing new FCP style 'subclip with effects' type of asset. See this discussion in PrPro Forum for some more details:
    http://forums.adobe.com/thread/1204107?tstart=0

  • *** Priority list for TOP-2 Bugs - and TOP-3 feature requests ***

    I'm more a business type of user - and I want to share my main problems/bug with this community in the hope that the WebOS developers read this...These bugs are so obvious and I am really wondering why these haven't been fixed immediately... BUGS: 1. Email: Delete of IMAP emails doesn't work: Each time I wipe out an email in an IMAP folder, it immediately comes back with the next email sync (which is pre-set "when new email arrives" - which happens in the day time every couple of minutes. PLEASE handle this like all the general behaviour: when wiping out then ask delete or cancel. And after deleting, move to the deleted folder. I am using the German no. 1 IMAP email service GMX (it's free), but I'm sure this happens with other email services as well. 2. PDF reader: delete of PDF files doesn't work: It was working in Version 1.3.1 - but since then it's not working anymore. I use the PDF reader, so I want to delete files from the file list by wiping out! FEATURE REQUESTS: 1. Sync of Memo with Exchange: we are waiting! Calendar, addresses and tasks are working - only missing part is memos! Do it! 2. handling address categories: I work for years with categories (no other way with over 1000 addresses) - so I need to handle categories. Just put this (Exchange-synced) field into the address and introduce a view filter in the menu. Then I can easily find addresses, like 'NYC restaurants' 3. Full text search in addresses and calendar entries: I have to search in the memo/notice field of calendar entries and addresses. This search may take longer of course, but no problem. Hi WebOS developers: feed-back welcome!!!!

    Hello and welcome to the forums;
    I created a GMX account myself, to see if the issue could be with your provider specifically. Used automatic setup for the email address, and the Pre automatically recognized as IMAP. I then sent several test messages to the new gmx account from my gmail account, and after each one arrived I deleted it by swiping off from the inbox. When the new email arrived, the old previously deleted email was not in the inbox, but still in the deleted items folder where it should be.
    However on the web portal for the GMX account, I saw the "original" unread email in the trash, along with a "copy" in the inbox. This seems to be a design setting for the provider, but it did not mean I kept getting deleted emails back in my inbox. Have you checked the account settings on your Pre to make sure the account is set as IMAP and not POP? If the email was set as POP by accident, that could explain why your email folders are not synchronizing.
    For the PDF viewer, you are correct that you cannot delete PDF files from the view list, and unfortunately I don't have access to a 1.3.1 device to see if it was possible then. At this time, managing PDF files is best done by connecting your Pre via USB to a computer and manually deleting files there.
    To suggest the ability to delete PDFs on device and other changes, we have a feedback portal at www.palm.com/feedback which is a direct link to our developers.
    Life moves fast. Don't miss a thing.
    TreoAide

  • Feature Requests for BlackBerry​10 OS

    +++++++++++++++++++++++++++++++++++++++++++++++++++++++++
    This thread has been closed and is continued in this new thread here: 
    Feature Requests beyond BlackBerry OS10.3.1
    Please click on that link.
    +++++++++++++++++++++++++++++++++++++++++++++++++++++++++
    Let's use this thread to list BlackBerry10 OS feature requests. There's nothing official to this thread, but one never knows who might view it and get an idea or two to move foward.
    Please let's keep it to feature requests with simple short statements and comments, in this manner:
    1. Ability to lock the volume keys (since they are so easliy pressed when retrieving from holster)
    2. Personal distribution groups Address Book
    4. Add BBM Group icon to home screen
    **This thread is not for bug reports (i.e., the calendar glitches when I set the date) or for debate or discussion of the worthiness of a feature request.
    So, what would YOU add to BB10?
    What do YOU need to make the OS platform work better for you?
    Here are the collected feature requests as of 04 April 2013. Thanks for Ride_The_Sky for helping collect these from this thread.
    There are listed in no order, just as collected.
    Ability to lock the volume keys (since they are so easily pressed when retrieving from holster)
    Personal distribution groups Address Book
    Add BBM Group icon to home screen
    Way to add line carriage to BBM messages
    Why doesn't the most used name come up first? <- In latest OS, there is another line with most common contacts, but when typing it won't provide most commonly emailed contacts.
    Bring back the option "Send As" or include this option in "Share"
    Enable word wrap when zooming in to emails and messages.
    Import Distribution lists from Outlook on your desktop to your Z10?
    *The option* to always show the hub main screen when opening the hub, so when peeking it always shows the hub even if you leave it in another screen.
    Offer Balance without BES to have two workspaces in device.
    Delete on Server/Device/Both
    Delete on Server but Keep on Device (This is going to be tough since EAS does not work like POP, using POP you can do this by deleting on server after sync)
    Auto power on/off or Auto Do Not Disturb / Scheduled Airplane Mode / Scheduled Silence Mode / Scheduled Custom Profile
    Default Currency Option
    More options to lower data usage in e-mail (Headers Only / Roaming Profiles)
    Snooze a notification/reminder for more than 5 minutes.
    Customized Notifications
    Disable certain accounts to stop receiving email or notifications from them temporarily to avoid data usage.
    Way to delete recent pictures, videos.
    Office Hub customization, sorting, editing, etc., on the fly.
    Select which contact groups to sync, and ability delete all contacts.
    Larger text select tabs
    Add more options to dropbar.
    Improve browser functionality and display, add customization and management of Bookmarks.
    Calendar in Landscape mode
    Option to Disable shutter sounds in camera.
    Auto BCC option
    Multiple appointments in lock screen, not only next one.
    Increase email check frequency, custom minutes (possibly battery concern, most accounts use push nowadays)
    Ability to hide "texting" numbers such as Work, home, etc that aren't able to receive texts
    Ability to have multiple mobile numbers, such as mobile1, mobile2, for people with more than one cellphone
    Ability to have multiple work numbers, home numbers, etc
    Ability to have option for actually creating "custom" names for phone numbers, emails, VOIP,
    Ability to have multiple WORK emails fields for same contact ...
    Ability for a custom note field for each contact, for misc information such as store hours, reference numbers, business account numbers,
    Ability for filter or unselect specific Twitter, LinkedIn, Facebook contacts so they all don't appear
    Ability to "share" contact info with someone else ... like a vcard or the like
    Ability to have custom Individual text and ringtones for each contact set within contacts app
    Vibrate option for Alarm
    Mail Filters for Priority mails.
    Option to block ringtones from music app (i don't see ringtones in my music app, I guess poster refers to custom mp3 files)
    Swipe down to close, up to minimize (but some apps have menus associated with swipe up gesture)
    Swipe half way up the screen to minimize an application to an active tile.
    Swipe it all the way up the screen to close the application.
    Playbook app switching gestures (swipe sideways, I guess this won't work since there are other gestures associated with side-swiping)
    Lock screen with gesture (or maybe they should just add a button on home screen, somewhere on top or bottom)
    Airplane mode on status bar options.
    Option to customize status bar with select Settings/Options.
    Colors for Hub!
    Face recognition for camera, being able to associate contacts with faces or pull info from Facebook, etc.
    Weather info on Lock Screen (if I may add, and constant info on top status bar, simple temp info should be enough)
    We need groups back in contacts please.
    Import text messages in various formats from various systems.
    Sorting and Ordering of the way contacts are displayed depending on account.
    While editing an entry in calendar, notification about a recent call may cause loss of data in that entry.
    Location for Calendar entries and be able to see it on the map with a tap.
    Being able to see multiple pictures from an email by swiping left and right to see next/previous without having to reopen (I must say the same thing is needed for App World, why can't we just scroll through screenshots??)
    Multiple flags or ability to set a flag date, associate with a reminder.
    Move people from TO to CC or BCC easily (If I may add, also ability to backspace to delete a contact without having to tap the X in blue box).
    Option to add favorites to Hub for easy to reach contact management (I think it is same as going to contacts and choosing Favs)
    Being able to answer and make calls when the phone is locked.
    Add more colors to LED notification (I think they are there now, orange, green, red so far, did not see blue, I don't think blue is needed in my opinion)
    Change the way to add date and time for appointment, rollbar is too slow and too sensitive.
    Dismiss and Snooze buttons for Alarm to be different colors, larger, easier to notice.
    Make it easier to order world clocks, instead of the order they are added.
    Alarms based on days/schedule.
    Easier way to get to the bottom of e-mails (I think it scrolls pretty fast, I think poster wants "B" shortcut)
    Easer way to get to the bottom of web pages (same as above, space or B shortcut?)
    Add option to ask if you really want to dial, instead of just dialing right away every time a phone number is clicked/tapped on.
    Ability to resize image before attaching to an e-mail.
    More than 30 days email sync on device, please!
    Make BB boot up slower, so we can actually get to do something else while waiting for it to start!
    SSH client would be nice.
    Another keyboard like Swipe (honestly, I have never typed faster in my life on any other on screen keyboard, Z10 keyboard is awesome!)
    Volume lock/unlock button on demand.
    Auto Run app on device boot up.
    Lock or Pin apps.
    Ability to run background apps (Google Talk is running in the background, or it is tricking me, I don't know but I am getting messages from it when it is shut down on BB10, I hope they do Skype the same way)
    Ability to have multiple documents of same type open at the same time (tabbed docs2go)
    Calendar sharing of BB10 users in the area/company/group.
    PIN Messaging to return.
    Preview e-mails, calendar and other information on lock screen (privacy?)
    Way to clear anything in any "Recent" menu, videos, pictures, etc..
    Ability to hide apps, docs, pics, videos, folders, etc..
    BBM Group Picture notification.
    Support WhatsApp more.
    Another tap for important numbers (Favorites work for this, and on top of speed dial)
    From Call Menu when going into contacts, it should be ready to search with keyboard out.
    Option to customize volume key to act as page up/down, etc depending on app running.
    Red star in app world (means you need to run Updates, just refresh and check by swiping down from top)
    Better headphones with the phone (hey, we didn't even get any!)
    Better night shots in camera (hardware or software improvement?)
    Ability to choose which address book to sync with bluetooth car.
    When app is opened from a folder three or four pages into apps list, we hope the screen can go back to that spot when the app is closed (sadly it uses active frames at the moment)
    Change acceptance of auto corrected key, instead of space key, make it something else (actually, you can just backspace to un-autocorrect it back to what you typed).
    Ability to load certificates (X 509 S/MIME and/or PGP/MIME) from a computer
    Ability to sign and or encrypt emails (POP3)  before sending (As in MS Office Outlook)
    Ability to receive and recognize signed and or encrypted emails (POP3) (As in MS Office Outlook)
    Add a password/certificate manager that doesn't require manual copy/paste
    Ability to encrypt the memories Device and Media of the Q10 like it is done for the BB9900
    Ability to encrypt selected folders (preferably by Private Key)
    Ability to create Self-Decrypting Archive like in PGP
    Ability to delete email-messages by group as an alternate option to one by one
    Opening Video-chat to non-BBM users (Skype for instance)
    For above encryption request, SecuSmart was suggested...
    Renaming the file without extension can break the file or hide it from pictures list.
    Wallpaper scrolling sideways.
    Standalone e-mail app (not sure how different it is than choosing emails-only for hub)
    Different colors or small tabs in different colors for different accounts in Hub.
    Share webpages with smart tag (I think you can just create it by pasting the URL into create QR)
    Application management (being able to see which app takes up how much space, etc..) CPU/Memory/Battery Usage/Data Usage/Storage Usage in more details
    Custom vibration options.
    Move Send button in BBM to avoid accidental submission of message
    Forward As… SMS, MMS, EMAIL from one to another.
    Send SMS to new numbers (I think you can still do this from call log)
    Single key press to change profiles.
    Insert a picture into an e-mail. (I think he means into the body of email)
    Turning off links of contacts (I think poster did not have multiple accounts, actually BB10 goes ahead and adds all new contacts into all address books in all accounts without user permission.. Create a contact in Hotmail? Gets copied to Gmail.. and then linked, terrible implementation in my opinion)
    Presets for browser bookmarks, faster access to bookmarks. (My suggestion was to create a home screen, select 12 icons 3x4 or 16 icons 4x4 as home screen/start page)
    Being able to allow flash based on website/url/server.
    Ability to adjust different sounds/volumes for different BBM users/groups
    Better Voice Dial and Voice Commands (shorter and easier operation)
    Ability close one or all web pages/tabs, add "Close All" button.
    Call Recording
    Faster way to delete e-mails, such as file icons next to e-mails,  or Swipe to Delete! Swipe to File!?
    Customize email signatures with formatting.
    Phone to stay on screen (dial pad always available in panes)
    More Options for Clock.
    In Playbook we can have a single character password, why not on BB10? "too short" well it is my decision, isn't it?
    There is no way to go next/previous while reading an e-mail. Please add these functions.
    Add to the e-mail client, Next Unread / Previous Unread.
    E-mail or Hub should have more buttons at the bottom in landscape mode. Why keep only three (or four in e-mail view) buttons when you have the real estate. It would be extremely handy if you allowed users to edit which buttons should go at the bottom. Next Previous is really needed while reading an e-mail. For example I would love to add "File" button at the bottom as a shortcut instead of forward, I rarely forward, but I file all the time. Maybe allow users to have two row of keys, add next/previous/unread. Or it could be done with a gesture. How about swiping the account name (top blue bar while reading e-mail) left and right?
    When you create a new contact in BlackBerry, it gets synced to all accounts on the Hub. There is no way to limit the new contact to a specific account.
    Sometimes when you file an e-mail to a folder, it stops and waits few seconds with no message. Even when it files immediately, there is a confirmation message that takes time to appear and disappear, and the folder list does not disappear automatically.
    Messages filed automatically by server using server side filter rules are still showing up on Blackberry hub/inbox. In older BB versions the filtered messages did not show up in the list, filed messages still did.
    When you filter your e-mails using Filter / Unread function, new unread e-mails do not show up until you close the filter and re-open. It won't just keep refreshing your screen with unread e-mails. Can BB add a button to the hub "Unread Hub" so when hub shows 8 or 2, you can actually see unread items easily without having to through so many taps.
    Native BB QR scanner (Smart Tags) does not work with barcodes (it only scans with no way to use the information). There is Open In function but it doesn't work properly.
    We need to add more customs search providers, and be able to add custom search strings/wildcards. For example currently there is Google, Bing, Yahoo, Foursquare, etc..
    I hope BB introduces the ability include more standard & custom searches, IMDB, PriceGrabber, Ebay, Youtube, XYZ Forums, ABC Newspaper, 123 Database, Etc.. Most sites nowadays provide search string in their URL Search=?* etc...
    None of the Battery apps can access system settings to add a battery icon to the top. I wish battery percentage was there.
    There is no way to check carrier/mobile signal strength.
    Blackberry, please add the date and carrier / SSID info to the top. Sometimes we just want to glance at the top to see the date without having to swipe.
    Please bring back keyboard shortcuts. Since we can easily swipe up to bring the keyboard, just add keyboard shortcuts in e-mail, phone (true speed dialing, dialing by word?), and browser, etc.. if possible. I could always call 1800SOMETHING# now I have to look up the number or use dial pad.. Please bring it back.
    Camera zoom function needs to be fixed, also please include option of fixed focus by tapping on the screen to focus. The auto focus in video is focusing in and out to various objects all the time. Stabilization feature also causes tearing/ripples, I guess it is good if you are stationary. Or use Volume Keys to Zoom.
    Please allow more than 12 icons in an icon group/folder, I hated Apple for limiting apps per folder, please fix it.
    Auto ON/OFF feature is not there anymore. BB should consider Auto DND (DoNotDisturb) or Auto Silent/Airplane modes instead.
    Please find a way to stop the music app from automatically starting up every time it connects to bluetooth like car audio. This is very annoying.
    No Panaroma mode in Camera app, why not? It is very easy to incorporate. This could be a nice addition to next release, and easy.
    The text selection grips needs to be a little bigger, sometimes I cannot see where I am moving them, they work better in Playbook, nice big tabs.
    Call Functions, before answering a phone add sideways gesture functions, like swiping right will forward the call, swiping left will answer with a test message, etc..
    Or there should be a way to reject the call without sending it to voice mail, phones had this function a decade ago, I don't know what happened to it.
    We used to be able to see the "History" without having to save the contact. Now I don't see any way to "View History" of a certain phone number, it just keeps adding
    them as individual entries to the log. Now I can't see when was the last time they called me, how many times we spoke which day, etc... I loved this feature in BB5.
    Where is BB Traffic? Where is BB Weather, without having to run an active frame? It will eventually disappear if you run too many apps. I liked a little Icon that shows me what the temp is, instead of running a whole app.
    There is no Skype. This day and age with all other platforms having it, please either get skype (Microsoft) to cooperate, or open up BBM to other platforms. If necessary, pay Skype to develop the app, then charge BB users for the app. Most will gladly pay.
    Can we tap and hold on an active frame to pin it, or can we pin two favorite apps between Call and Search & Search and Camera buttons in the bottom bar? How about Close All running Active Frames app to quickly free up ram?
    I hope next generation devices have two speakers or speaker that is facing forward. When playing games or watching videos in landscape mode, I find my palm muting the speaker. I have to hold it gently with fingers to have a gap in between, something I don't want to do when I am on the subway or bus.
    Blackberry Maps should have a Zoom In/Zoom Out buttons, sometimes using it with one hand, it is impossible to zoom in and out. (Zoom in is OK but we can't zoom back out)
    1. If any post helps you please click the below the post(s) that helped you.
    2. Please resolve your thread by marking the post "Solution?" which solved it for you!
    3. Install free BlackBerry Protect today for backups of contacts and data.
    4. Guide to Unlocking your BlackBerry & Unlock Codes
    Join our BBM Channels (Beta)
    BlackBerry Support Forums Channel
    PIN: C0001B7B4   Display/Scan Bar Code
    Knowledge Base Updates
    PIN: C0005A9AA   Display/Scan Bar Code
    Solved!
    Go to Solution.

    - ability to choose deletion of an email on handset only
    - desktop software working with all older BB's allowing drag and drop type of transferring data, contacts etc. (BB link doesn't recognize my old Storm) 
    - auto power on/off
    - contacts syncing with yahoo & Outlook (almost two weeks trying to work around it and no luck)

  • BUGS and FEATURES REQUESTED. Please add to it.

    I've been using the z10 for the past couple weeks and wanted to start a thread of comprehensive Bugs and Features Requested.
    I've labeled Bugs by letters (A,B,C...) and Features Requested by numbers (1, 2, 3...) so that others can add sequentially.
    BUGS
    (Not listed in any particular order)
    (A.) Contact App adds current date as birthday. When I edit my contact, the current date gets listed as the birthday in local contact.
    (B.) Duplicate telephone numbers listed. Telephone numbers show up twice in my Contacts (e.g.., if I have the contact's cell saved in (000) 123-4567 format and the person has the number listed in Facebook, I get a duplicate entry of +10001234567).
    (C.) Telephone numbers and emails are not actionable in Web pages. In webpages, I can't click on telephone number to call (e.g., I look up a phone number for a restaurant). I should be able to easily call or copy into the Phone App or E-mail App.
    (D.) Auto capitulation for words on the word substitution list is wrong. For example, when the word substitution contains more than one word. I have "ru" change to "are you" but if the first letter is capitalized (R) then both words become capitalized words (Are You). I used to have shortcuts like "mysig" to create email signatures with legal disclaimers but I can't do that now.
    (E.) Backspace delete doesn't work consistently. The Shift+Delete function seems only to work after moving the cursor. This feature is the Alt+Del action to delete words after the cursor.
    (F.) All Emoticons do not list. Emoticons do not all fit on the the two screens (lists) of emoticons. I.e., two columns are missing from view and can be seen when sliding (swiping) between the lists. Also, sometimes when I select an emoticon, it doesn't correspond with the picture of the one I intended. I believe this error is related. As a separate note, there should be a way to see the underlying symbols of the emoticon. (Often times, other people don't have BlackBerrys so I'd like to know what symbols would be sent--my prior 9800 would show the characters as i scrolled through them).
    (G.) BlackBerry keyboard doesn't always work in input fields. E.g., certain Web pages. (I found a work around; two finger swipe up from the bottom makes the keyboard appear)
    (H.) Sent messages stay unread. This seems to be an issue when an app sends an email (e.g., share article). The email with the sent indicator (checkmark) stays bold and I have listed 1 unread email. I can't mark as read/unread but if I delete the sent email, my unread message gets cleared.
    (I.) Contact already added but I get the option to add instead of view contact. For some contacts, I get the option to add to contacts in the action menu cascade when that person is already in my address book. This bug is for emails and text messages.
    (J.) Cannot call from text message. When I hold a text message and select call under the action menu cascade, the OS opens up the phone app but doesn't call.
    (K.) Composing messages by name. When composting messages, the input must be by first, middle and last name. It should be, instead, by string and include nickname. E.g., if the person's name is "Andrew B. Cameron" I must type the name in as such. I can't type in "Andrew Cameron" or "Andy Cameron."
    Features Requested and Suggestions for Improved User Experience
    (In no particular order)
    1)      Option to reply in different ways from the Call List. Be able to select a name in a call list and have options to call, text or email the person. The action menu allows calls to other numbers but I can't choose to text or email the contact instead. Sometimes, I missed a call and want to reply via text because I’m not able to talk. (Long hold on the Torch 9800 trackpad button brought up the action menu allowing me to call, text, view history, add to speed dial, e-mail, delete, etc.)
    2)      Option to reply in different ways from the Hub. Related to above, when selecting an item in the hub, have the option to contact the sender or caller with multiple different ways.
    3)      Only show number once in contacts application. Tap on the number to bring up the "action" cascade menu with options to call or text the number. Why is the same number listed twice (once to call and below again to text it)?
    4)      Timestamps for individual text messages. I can't tell exact time on individual text message if it comes in near the time of another text. All messages are in one "bubble."
    5)      Ability to select MMS or text for a message. Sometimes I write a text longer than 160 characters and I prefer it to be sent in one message (i.e., MMS mode) rather than being broken into one or more standard text messages. I had this ability with my 9800.
    6)      Send button should be moved for text messages!!! Why the heck is it right underneath the delete button?!? Or next to the period button? I often times have accidentally hit send when composing text. It's very annoying and embarrassing. (Also, what happened to the ability to hit enter for a return carriage to next line?)
    7)      Bigger magnifying glass. My finger is often over the area I need to place the cursor. I find it difficult and erratic to place the cursor.
    8)      Select all option. Add the option to select all text in action menu cascade.
    9)      E-mail recipients and message headers. Difficult to tell if you are one of many email recipients. Can we have a way to pull the email down to see the list of recipients rather than have to click to expand the header info? I know this request is a little picky, but that's how it was done in the previous BlackBerry OS which I preferred; it is easier and faster to pull the e-mail down and 'peek' to see which e-mail box received the message, message status, from and to fields. This change would be consistent with BB's flow/peek rather than click.
    10)   Browser navigation. Hold down back arrow to get a list of recently visited websites similar to a desktop browser.
    11)   Dark/Night mode. A night mode (maybe in the drop down menu) to change all the white and bright backgrounds to black or dark which would be helpful when reading/viewing things at night in bed/etc.
    12)   Number of contacts. Ability to see how many contacts I have.
    13)   What happened to groups or categories? I'd like to have back the ability to filter or see categories and also a way to contact everyone in a category. E.g., family or friends or coworkers, etc.
    14)   Shutter sound mute. I was at a wedding and wanted to take pictures during the ceremony but the shutter would was too loud.
    15)   East Asian Language Input. I bought my parents two Samsung Galaxy S3 phones over the weekend because they need Korean input (and the Kakao talk app). (BTW, S3 is a great phone but I prefer the Z10 after having the weekend to use the Android phones).
    16)   Ability to freely place icons on the homesreen. Currently, icons are forced top left-right-to-bottom. I prefer to space my icons out.
    17)   Add a contact to the homescreen. I'd like to place a shortcut (similar to a Webpage) to the homescreen for a contact which will open up the contact. Android allows this feature and so did my previous 9800.
    18)   Search Contacts by nickname. The contacts app doesn't allow me to search by, e.g., Andy, even if I have that as my contact's nickname. The previous OS allowed this type of search which was very helpful.
    Finally, as a note, I've been using the BlackBerry Z10 for the past 2 weeks and it's a great platform. I just bought two Samsung Galaxy S3 phones over the weekend for my parents so they could use the Korean language input and related features so I spent a lot of time with the Android platform, setting it up and teaching them how to use it. The S3 is a great phone too.
    I prefer, however, the way BlackBerry has done their OS 10 and the integrated management of messages.
    It's too bad that BB doesn't have Korean input and apps like Kakao Talk or I would have considered it for them.
    The BlackBerry 10 is a great platform and I look forward to the continual improvements that will only make the experience better.

    This is a great post.
    I couldn't have written it myself better.
    I'm also in dying need of Korean input as I can't communicate with my Korean friends.
    But I second every point.
    I hope the tech teams are reading this.

  • FEATURE REQUEST: Enhanced Texture Options in FW

    Recently, a forum user was asking how to change the color of a texture in Fireworks to red or blue. In particular, he/she was struggling with attempting to apply a texture to a white object, and it wasn't showing up.
    http://forums.adobe.com/thread/1006694?tstart=0
    The question got me thinking about textures, how they're created and how they're applied. Textures are a unique and distinctive feature of Fireworks. On the one hand, the interface for textures is very simple to use and almost magical; on the other hand, it's surprisingly limited. The concept is great, but the implementation seems only half-baked.
    With this in mind, I'd like to suggest a few simple ways that textures could be made more fluid and versatile in Fireworks.
    First, a little background...
    WHAT IS A TEXTURE?
    In the world of Fireworks, a texture is basically a type of pattern that's applied to an object. However, unlike a pattern fill, textures include transparency and integrate with the existing fill content (color, gradient or pattern). They're suggestive of textures in the real world, which are often tactile and defined visually by light and shadow.
    Texture graphics are most commonly grayscale ("black and white") in GIF or PNG format. Applied within the application, the graphics are converted "on the fly" to white-on-transparency. If the Transparent option is checked, the graphic is converted into a sort of mask, making the "textured" areas invisible instead of white.
    And that's about it.
    So what if you'd like to apply a dark texture to a white object? Sorry, it can't be done. What if you'd like to apply a texture in color? It can't be done. What if you'd like to reverse or invert the pattern of the texture? Can't be done.
    Well, in fact, these things can be done, but not directly. They require workarounds such as cloning the object and placing the clone above or beneath the original, applying textures as pattern fills (instead of as textures) and adding effects like Color Fill, Invert, and Convert to Alpha, or editing the texture file directly, saving out a new copy, etc. In short, there are unintuitive ways to accomplish these goals that lead to bloated effects lists and layers or that require extra time and care.
    HOW CAN TEXTURES BE IMPROVED?
    First of all, does it make any sense that textures are applied exclusively in white? Not really. In the real world, a texture can be defined not just by light but by shadow. And even shadows can have color. This means that, at minimum, it would make sense to allow for the application of a texture in black, and, at maximum, in any chosen color.
    Secondly, textures are relative. They represent change to an existing surface. Sometimes, it might make sense to highlight the texture itself; other times, the surface around the texture. This means that being able to quickly reverse the figure-ground relationship of a texture would be a very handy feature.
    With the above concerns in mind, I've devised three 'user interface' scenarios, presented here in order of most conservative to most extreme. The first scenario is the least powerful but still doubles the number of possible outcomes (compared to the existing interface). The second scenario may be the most logical of the bunch and represents a modest evolution of the existing interface, while increasing the number of potential outcomes even further. The third scenario allows for the application of any color to a texture but also represents the biggest change to the existing interface; that said, it's also quite compact.
    Scenario 1: Invert option
    The idea here is simply to add an Invert checkbox to the existing options. Checking this option would convert white to black, allowing for the application of dark textures to white or light-colored objects. In "Transparent" mode, this option would invert or reverse the figure-ground relationship of the existing texture.
    Scenario 2: Dropdown menu plus Reverse option
    Here, the Transparent checkbox is replaced by a dropdown menu that includes 3 mutually exclusive options: White, Black, or Transparent. Checking the "Reverse" option would invert the figure-ground relationship of the texture. This scenario allows for 6 possible outcomes in place of the existing 2, and is actually more logical than the first scenario, which conflates two options.
    Scenario 3: Color picker plus Reverse option
    Here, the Transparent checkbox is removed, and in its place, a color chip/palette is added to allow for the selection of any color to be applied to a texture. (Choosing Fill: None would create Transparency.) Again, a "Reverse" option would invert the figure-ground relationship of the texture. This scenario differs most from the existing interface but is quite compact and allows for the greatest number of outcomes.
    SO WHAT CAN YOU DO?
    I've submitted a feature request to Adobe's official site:
    https://www.adobe.com/cfusion/mmform/index.cfm?name=wishform
    When it comes to bugs and/or feature requests, every vote counts. If you care about this issue, I encourage you to submit your own feature request to the above URL, referencing this post if desired. Feel free to copy and paste the feature request below or write your own. (Be aware that there is a 2,000 character limit to the "issue description" of a bug report or feature request, and the following report is very close to that maximum.)
    FEATURE REQUEST
    Product name: Fireworks
    Product Version: 12.0.0.236
    Product language: English
    *******Enhancement / FMR*********
    Brief title for your desired feature: Enhanced texture controls, including the ability to apply textures in black and/or color (instead of white), and the ability to reverse or invert texture.
    How would you like the feature to work? Three possible implementations have been outlined in this forum posting:
    http://forums.adobe.com/thread/1042206?tstart=0
    The basic scenarios are as follows:
    SCENARIO 1: An additional "Invert" option. Checking this option would convert white to black, allowing for the application of dark textures to white or light-colored objects. In "Transparent" mode, this option would invert or reverse the figure-ground relationship of the existing texture. This scenario would allow for 4 options in place of the existing 2.
    SCENARIO 2: Replace Transparent checkbox with a dropdown menu (White-Black-Transparent) and a "Reverse" checkbox. The dropdown menu offers 3 mutually exclusive options, while "Reverse" inverts the figure-ground relationship of the texture in each case. This scenario would allow for 6 options in place of the existing 2.
    SCENARIO 3: Replace Transparent checkbox with a color chip/palette and a "Reverse" checkbox. The color palette would allow for the application of a texture in any color, while choosing Fill: None would create Transparency. This scenario would allow for the greatest number of options.
    Why is this feature important to you? Textures are unique to Fireworks and potentially very useful, but their implementation is incomplete. The use of 'white only' means that textures cannot be applied to a white object. Inverting a texture or applying a texture in color requires advanced workarounds and can lead to bloat. The suggested options would make the feature exponentially more powerful and intuitive.

    Thanks, Jim! It is a very blog-like post. (I still haven't gotten around to starting a blog but keep thinking I should.)
    I figured the clearer and more thought-out the presentation, the greater the likelihood it might get implemented. Also, I was originally stuck on Scenario 1 as a solution, and writing this helped me see other options.

  • Feature Requests beyond BlackBerry OS10.3.1

    So, with 10.3.0 and 10.3.1 now officially released on the Passport and Classic, let's look forward!
    What feature request(s) would you like to see included in future updates, say OS10.3.2 and beyond? Of course, there's nothing official to this thread, but one never knows who might view it and get an idea or two to move foward.
    Please post your feature request below, and let's make sure BlackBerry has a good reference point for user-input on what we'd like to see.
    Let's simple short statements AND please add the value of your request (i.e., why that feature request has value to you):
    Ability to lock the volume keys (since they are so easliy pressed when retrieving from holster)
    Implement a shutdown confirmation screen to the top edge power key before shutting down (many pocket carrying users complain of device shutdowns in their pocket).
    Allow BlackBerry Protect to automatically backup and restore personal data, such as contacts (I trust BlackBerry to protect our data and other third party apps can do this already).
     **This thread is not for bug reports (i.e., the calendar glitches when I set the date) or for debate or discussion of the worthiness of a feature request.
    So, what would YOU like to see beyond 10.3.1?
    1. If any post helps you please click the below the post(s) that helped you.
    2. Please resolve your thread by marking the post "Solution?" which solved it for you!
    3. Install free BlackBerry Protect today for backups of contacts and data.
    4. Guide to Unlocking your BlackBerry & Unlock Codes
    Join our BBM Channels (Beta)
    BlackBerry Support Forums Channel
    PIN: C0001B7B4   Display/Scan Bar Code
    Knowledge Base Updates
    PIN: C0005A9AA   Display/Scan Bar Code

    Cool! I was waiting for this, there are a few things I would like to see.
    OS 
    - No frames option (for the people that want this), this means that you swipe up it will never go to a active frame
    - Keep swiping to close, when you keep swiping up it will close the app/frame (like on playbook I think it was)
    - Auto reboot, choose a day, time when your phone restarts (and unlocks after reboot) this is nice for people that want their phone to reboot when they sleep so they have a fresh start and don't have to reboot during work day 
    - Alternative keyboard, everyone knows the BlackBerry keyboard is awesome.. but allow developers to create own keyboards (native, no android port)
    - Themes, One reason why people jailbreak iPhone or use Android or loved BBOS. Themes that will totally transform your phone, keyboard, colours will be nice for people that want to customize their device
    - Font type change, this was possible in BBOS. Some people like to have a different font.
    - Completely light OS, this is something personal; some people like dark theme, some people like light.. but with the latest BlackBerry OS 10.3.1 it is still mixed up, some parts are light some parts are dark. When selecting light theme everything should be light, all core apps, buttons, everything, when you select dark everything will be dark, and then there will be a customize option where you can set it for each app (core apps and layout) how you want it
    - Show date, time, signal always on top-option, Remember.. screenshots on internet are shown a lot, when posting a screenshot of a BlackBerry 10 app nobody knows its BlackBerry, with BBOS you always had time, signal, on top people knew it was a BlackBerry and would be nice to get this back, plus no need for swiping up to see the time
    E-mail
    - Able to create filters, example move e-mails from this person to this folder, and give them this colour or move everything with this word in header or subject and delete it forward it and more.
    - "Out of Office", able to set out of office for work emails / accounts as automatic reply
    Hub
    - More colours, now there are only a few
    Keyboard
    - Emoij button on the keyboard (including special characters)
    LED
    - More led colours and settings
    Cloud, Sync and backup
    - Create backup from your device instead of BlackBerry link and backup them to any cloud storage (or blackberry cloud)
    - Sync bookmarks and settings with your BlackBerry ID
    - Sync remember with your BlackBerry ID
    - Sync Wi-Fi networks and passwords with your BlackBerry ID
    - BlackBerry Cloud storage (5 or 10GB free and pay for more?)
    Blend
    - Webblend access your phone from a secure BlackBerry website so you don't have to install any program on a computer you maybe will only use for one day.
    BBM
    - Multiply login, access BBM on more devices (including a web version) at the same time
    - PIN transfer, take your BlackBerry PIN to your new device. I really liked my old BB pin but when I sold the device I lost it, it would be nice to be able to "keep" my BBM pin or get a personal pin
    - Add user my phone number if linked, BBM Pin is awesome but allow users to also add people with phone number so you can give your phone number or pin If my contacts get BBM but forget to give their pin they will just show because I have their phone number
    Device
    *nothing yet*

  • + Camera Raw Feature Requests +

    UPDATE:
    We're interested in what changes you would like see in our products. Do you have an idea for a feature that would help your workflow? Is there a small change that could be made to make your life a little easier? Let us know!  Share an Idea, Ask a Question or Report a Problem and get feedback from the Product Development Team and other passionate users on the Photoshop Family product Feedback Site on Photoshop.com.
    In future it would helpful if you could use this thread as a means to add
    "Features" that you would like to see in future releases of Adobe Camera Raw.
    Please do NOT create additional new Topics and try not to duplicate requests by other users. Also, be thorough in your description of the feature and why you think Adobe should consider it.
    Oh, and if you find it necessary to comment on someone's feature request/suggestion, try not to get into a shouting match. The penalty for doing so is...
    b If you're asking that a particular camera is supported in a future release or just taking the opportunity to carp that yours isn't then please do so in another thread!
    IanLyons
    Forum Host

    Here's my wishlist for ACR. I'll list the feature first and then in a separate section afterwards, I'll explain why I want it.
    1) Shadow/Highlights
    2) Multi-instance and modeless behavior for ACR so I can truly have ACR open, Bridge open, PS open and work in all three and even open another ACR window.
    3) The ability to open one image into PS and keep the rest going in ACR when you have multiple images open in ACR.
    4) The point locator feature for curves like curves has in PS so you can find out what tone area on the curve a given area in the photo is, just by clicking/dragging over an area on the photo.
    5) White balance assist to make it easier to get skin tones right when there are no good grayscale references in the photo.
    6) An ACR pref to have a suffix automatically added to each filename when it goes into PS so after editing it in PS, I can just hit Ctrl-S and not have to manually add a suffix onto every single image I edit in CS.
    7) A drag/drop bin for recently used saved settings in ACR and shortcut keys for cycling through a preview of those settings (described in more detail below).
    8) A pref to allow the Save Images folder in the Save dialog in ACR to default to the directory of the RAW files rather than the last directory used.
    9) More sophisticated sharpening in ACR (like smart sharpening).
    10) Ability to set label or rating when only one image open in ACR.
    11) Ability to delete and close when only one image open in ACR.
    12) An easier way to see how a rotated image looks. There is no way in ACR to see the straight version of an image you've rotated slightly.
    13) Shortcut keys to cycle through saved curve settings.
    Here's the explanation for why I want each of these:
    1) Shadow/Highlights. A significant percentage of my images need no other adjustments in PS except shadow/highlights and it's a big workflow savings to be able to finish a picture in ACR instead of having to take it into PS.
    2) Multi-instance and modeless. The CS2 behavior is better than it was before because you can set it up for Bridge to host ACR and still be able to use PS. But, I often open many images in ACR and the current design still forces me to serially finish all those images in ACR before I do anything else becuase I'm blocked from going back to either Bridge or PS (depending upon who's hosting ACR) and I can't open any other images in ACR. This forces a serial workflow when sometimes I'd like to be able to be in the middle of one workflow (a hundred images open in ACR), but go do something else in Bridge and PS for a short period of time. I can't do that today.
    3) The ability to open one image from ACR into PS while keeping the other images in ACR. When I see the preview in ACR, this is often the first time I've seen my images at any decent size. I often find I want to take a few into PS just to see how well they fix up with certain changes or to see if they benefit from things I can do in PS and can't in ACR, without discarding all the other images I have in ACR at the time. So, again, I am forced to serially finish all the image I have in ACR before I can take any into PS. I'd like to be able to open the selected images in PS and keep the others in ACR.
    4) The point locator feature that PS has in the curves dialog is very valuable for finding out where on the curve a given feature in the photo is. I'd like that feature in the PS curves.
    5) White balance assist for skin tones. One of the hardest things in ACR is getting the white balance right for skin tones when there is no easy gray reference in the photo. I don't know how it would work (I think this is an area for your invention and cleverness), but I'd like some sort of white balance assist that helps me pick a white balance that leads to a pleasing skin tone. I'd be willing to tell ACR where the skin tone is by pointing at it.
    6) I add a suffix of "-edited" to ALL images that I open in PS from ACR. That means I have to type that suffix on every image when I hit the Save command in PS. I'd like a preference in ACR to automatically append a suffix onto the filename when it goes into PS to save me that typing on every single image. I've even tried to figure out if I could write a script in PS to do this for me (if file extension is a RAW file extension when user hits save, then add default suffix to the filename before Save dialog comes up), but I haven't figured out whether it can be done via script or not. I know that others save their PSD or JPEG files to a different directory than their RAW files (I keep all of mine in the same directory so this isn't an issue for me), so I imagine they'd like the ability to specify a default relative path also to save having to point every PSD they save in PS to a new directory.
    7) Drag/drop bin for RAW settings. In a workflow of processing 200-800 RAW files, I'd like the ability to easily and temporarily save a small number of RAW file settings (10 would do). I know you can do it in the pull right menu in ACR today, but that's too much typing and clicks to make it worth it. I'm looking for something that allows me to pick a bunch of files from a shoot, identify a representative "sunny" shot and drop it's settings into a bin that I quickly label sunny. Then, when other sunny shots come up, rather than having to scroll around to find that image or go back to bridge to find that image, I just drag it out of the bin an drop it on the selected images. I don't want it to persist globally because then they pile up and I have to clean them up. I do need them to persist between ACR sessions as long as Bridge or PS is still running because I often process my RAW files in many ACR sessions. The whole point is to make an easy place for me to deposit a small number of saved settings so I can easily (very few mouse clicks or keystores) use them again while processing the same shoot. It's all about speeding up the workflow and letting me re-use work I've done earlier in the workflow. In my experience, this happens most often for white balance and curves since I'm more likely to tweak exposure on nearly every shot anyway.
    8) When I hit Save Images in ACR, it remembers the previously set directory. In my workflow, I want it to default to the directory of the first image I'm saving. The way it is now, it is NEVER the right directory so I always have to change it. It could be smart enough so my normal workflow never has to change it. Even better, I'd get to set a pref that was a relative path from where the first image is located. So, when I'm saving JPEGs, I could have a default path of ./JPEG (a sub-directory under where the RAW files are located). Other people would want ../JPEG (a sub-directory at the same level as where the RAW files are stored).
    9) In the spirit of getting as much of my work done in ACR as possible, I'd like to see a unification of the sharpening functionality so that ACR can do smart sharpening with all the same features. That would again keep many of my images out of PS and drastically improve my workflow.
    10) I'd like the ability to set a label or rating when there's only one image open in ACR. Because you can do this when you have multiple images open in ACR, I'm programmed to set this in ACR, but that workflow programming is busted when I only have one image open.
    11) I'd like the ability to delete an image from ACR when there's only one image open in ACR. Just like with labels and ratings described above, I'm programmed to want to delete a ruined image when I see it up close in ACR and determine it's no good. In this case, I think I'd like to just hit the trash can icon and have the ACR window close and have the image deleted in one single step.
    12) When I straighten an image in ACR, there's no good way to see how the rotated version looks at full size. All you get to see is a thumb in ACR (if you have multiple images open) or a thumb in Bridge. To see whether it rea

  • Feature Request: RGB Histograms / Tone Curves

    Hi team,
    It would be really helpful to be able to view the RGB Histograms separately in addition to a composite (rather than the "compact" mode we have now).
    It would also be really helpful to be able to adjust the Tone Curve applied to an individual RGB channel in Develop.
    Finally, it would be most helpful to be able to see the RGB values as well as or instead of the RGB percentages when moving the cursor over an image area.  This would be particularly helpful for fine-tuning skin tones.
    Thanks, and keep up the great work.
    We're delighted you're evolving Lightroom!
    Cheers,
    Matthew

    Your post seems to assume that Lightroom is a tool for travel/landscape photography, and other types of photography (e.g., portrait/fashion) should be supported by a "specialized add-on module". I have to disagree with you on that point. Considering many of the examples on the Lightroom marketing are fashion shoots, I would think that they considers portrait/fashion photographers to be an important part of their target audience. They are not a fringe group of specialists.
    I'm sure that portrait/fashion photographers would feel the same way about a Lightroom capability that primarily benefits the workflow of a travel/landscape photographer, i.e., when I do do some landscape work, I just edit in Photoshop. But you wouldn't agree to that, would you?
    Skin tone measurement can be an incredibly easy tool to implement. It can be something as simple as showing the CMY values alongside the RGB values during a mouseover. Keep in mind, I'm talking about CMY not CMYK, so there should be no need to worry about what ICC profile to use. RGB to CMY is a straightforward transformation. It's embarassingly simple.
    There are other ways Adobe can implement skin tone management that would be more powerful but a little more complicated. Those would be great too.
    Anyway, thanks for the link to the Adobe feature request page! I will use it.
    Regards,
    Mike

  • Working collection, not necessarilly pinned - New feature request

    Do you think this is a useful feature?
    Currently when you are working with objects the only way to keep "non-editing" windows is to pin them.
    Can this behaviour be extended as a new node that allows you keep a "working collection" of different object types. The method of user operation that I can see is have a context menu on each object in the node, do a right click "Add to working list".
    * Having the ability to add objects maybe from a different schema to the list could be nice. That way the "working collection" is not limited to a connection.
    * If this list of objects can be saved for later reuse, it could make it even more functional.
    Is it possible to do this as a customisation/extension?

    Have you created an feature request for this on the Exchange? Or identified any existing request that is equivalent? Sounds worthwhile.No I haven't. I was hoping for some community response. It seemed like something some would have requested.
    I like your idea of a restore. A ability to restore via a session manager even more powerful (As long as dead/obselete objects and broken connections are managed well).
    My suggestion was more inclined towards the "project based working" mentioned by Jim.
    I did a little bit of digging around and found this, [Favorites folder to store a collection of objects|http://apex.oracle.com/pls/otn/f?p=42626:39:3557915450647134::NO::P39_ID:301] : Accepted
    Thanks for replying Sue. Any chance "[Favorites folder to store a collection of objects|http://apex.oracle.com/pls/otn/f?p=42626:39:3557915450647134::NO::P39_ID:301]" would make into version 2.0?

Maybe you are looking for

  • Securing WebServices call without user login

    Hello, I spawned a thread in the Java Technologies for Web Services forum about different approaches to securing web service interactions. The security level required is: - guaranteeing the server's identity (so that the customer does not talk to a p

  • Sata 150 and sata 300 compatibility

    If I have a laptop with a sata 150 capability, can I use a sata 300 drive in it? I assume that it would run at sata 150 performance, but is it compatible? Would I be able to benefit from the larger cache size? Would it tend to run cooler? Any other p

  • Mouse keeps loosing connection

    Happened once or twice and I ignored it but it happens 3 or 4 times a day now

  • BRBACKUP cancelled by signal 15

    Hi Experts, While Iam doing the offline backup using -brtools, the backup was terminated with return code 0005 after 12 of 46 files  processed completly. BR0280I BRBACKUP time stamp: 2008-03-13 00.12.24 BR0063I 12 of 46 files processed - 24000.094 MB

  • Cant open pdf files in secured web page

    I cant open pdf files in secured website, https - is this adobe problem? Have adobe readeer 10.1x using Windows 7 and Internet explorer 9 Whose problem - -  have tried many options given as help suggetiong HELP