Profile tab in general setting

hi.
in my friend' ipad4, there is a profile tab(in general setting below vpn) which i dont have it. why?
sina

Hi,
The object types are defined in customizing:
>Master Data in Plant Maintenance and Customer Service  >Technical Objects  >General Data  >Define Types of Technical Objects
-Paul

Similar Messages

  • HT201304 I have no profile tab showing under settings General

    I have no profile tab showing under settings>General

    Profiles are generally installed by an employer or company to add specific controls on a device - so, there is likely no such control on your device.  Do you think there should be?

  • Need details about "Lock Profiling" tab of JRockit JRA

    Hi,
    I'm experimenting with the JRockit JRA tool: I think this is a very useful tool ! It provides very valuable information.
    About locks ("Lock Profiling" tab), since JRockit manages locks in a very sophisticated manneer, it enables to get very important information about which monitors are used by the application, helping for improving the performances.
    Nevertheless, the BEA categories (thin/fat, uncontended/contended, recursive, after sleep) are not so clear. A short paper explaining what they mean would greatly help.
    Fat contended monitors cost the most, but maybe 10000 thin uncontended locks cost the same as 1 fat contended lock does. We don't know.
    So, there is a lack of information about the cost (absolute: in ms, or relative: 1 fat lock costs as N thin locks) of each kind of monitor. This information would dramaticaly help people searching where improvements of lock management are required in their application.
    Thanks,
    Tony

    great explanation! Thanks
    "ihse" <[email protected]> wrote in message
    news:18555807.1105611467160.JavaMail.root@jserv5...
    About thin, fat, recursive and contended locks in JRockit:
    Let's start with the easiest part: recursive locks. A recursive lock
    occurs in the following scenario:synchronized(foo) {  // first time thread takes lock
    synchronized(foo) {  // this time, the lock is taken recursively
    }The recursive lock taking may also occur in a method call several levels
    down - it doesn't matter. Recursive locks are not neccessarily any sign of
    bad programming, at least not if the recursive lock taking is done by a
    separate method.
    The good news is that recursive lock taking in JRockit is extremely fast.
    In fact, the cost to take a lock recursively is almost negligable. This is
    regardless if the lock was originally taken as a thin or a fat lock
    (explained in detail below).
    Now let's talk a bit about contention. Contention occurs whenever a thread
    tries to take a lock, and that lock is not available (that is, it is held
    by another thread). Let me be clear: contention ALWAYS costs in terms of
    performance. The exact cost depends on many factors. I'll get to some more
    details on the costs later on.
    So if performance is an issue, you should strive to avoid contention.
    Unfortunately, in many cases it is not possible to avoid contention -- if
    you're application requires several threads to access a single, shared
    resource at the same time, contention is unavoidable. Some designs are
    better than others, though. Be careful that you don't overuse
    synchronized-blocks. Minimize the code that has to be run while holding a
    highly-contended lock. Don't use a single lock to protect unrelated
    resources, if that lock proves to be easily contended.
    In principle, that is all you can do as an application developer: design
    your program to avoid contention, if possible. There are some experimental
    flags to change some of the JRockit locking behaviour, but I strongly
    discourage anyone from using these. The default values is carefully
    trimmed, and changing this is likely to result in worse, rather than
    better, performance.
    Still, I understand if you're curious to what JRockit is doing with your
    application. I'll give some more details about the locking strategies in
    JRockit.
    All objects in Java are potential locks (monitors). This potential is
    realized as an actual lock as soon as any thread enters a synchronized
    block on that object. When a lock is "born" in this way, it is a kind of
    lock that is known as a "thin lock". A thin lock has the following
    characteristics:
    * It requires no extra memory -- all information about the lock is stored
    in the object itself.
    * It is fast to take.
    * Other threads that try to take the lock cannot register themselves as
    contending.
    The most costly part of taking a thin lock is a CAS (compare-and-swap)
    operation. It's an atomic instruction, which means as far as CPU
    instructions goes, it is dead slow. Compared to other parts of locking
    (contention in general, and taking fat locks in specific), it is still
    very fast.
    For locks that are mostly uncontended, thin locks are great. There is
    little overhead compared to no locking, which is good since a lot of Java
    code (especially in the class library) use lot of synchronization.
    However, as soon as a lock becomes contended, the situation is not longer
    as obvious as to what is most efficient. If a lock is held for just a very
    short moment of time, and JRockit is running on a multi-CPU (SMP) machine,
    the best strategy is to "spin-lock". This means, that the thread that
    wants the lock continuously checks if the lock is still taken, "spinning"
    in a tight loop. This of course means some performance loss: no actual
    user code is running, and the CPU is "wasting" time that could have been
    spent on other threads. Still, if the lock is released by the other
    threads after just a few cycles in the spin loop, this method is
    preferable. This is what's meant by a "contended thin lock".
    If the lock is not going to be released very fast, using this method on
    contention would lead to bad performance. In that case, the lock is
    "inflated" to a "fat lock". A fat lock has the following characteristics:
    * It requeries a little extra memory, in terms of a separate list of
    threads wanting to acquire the lock.
    * It is relatively slow to take.
    * One (or more) threads can register as queueing for (blocking on) that
    lock.
    A thread that encounters contention on a fat lock register itself as
    blocking on that lock, and goes to sleep. This means giving up the rest of
    its time quantum given to it by the OS. While this means that the CPU will
    be used for running real user code on another thread, the extra context
    switch is still expensive, compared to spin locking. When a thread does
    this, we have a "contended fat lock".
    When the last contending thread releases a fat lock, the lock normally
    remains fat. Taking a fat lock, even without contention, is more expensive
    than taking a fat lock (but less expensive than converting a thin lock to
    a fat lock). If JRockit believes that the lock would benefit from being
    thin (basically, if the contention was pure "bad luck" and the lock
    normally is uncontended), it might "deflate" it to a thin lock again.
    A special note regarding locks: if wait/notify/notifyAll is called on a
    lock, it will automatically inflate to a fat lock. A good advice (not only
    for this reason) is therefore not to mix "actual" locking with this kind
    of notification on a single object.
    JRockit uses a complex set of heuristics to determine amongst other
    things:
    * When to spin-lock on a thin lock (and how long), and when to inflate it
    to a fat lock on contention.
    * If and when to deflate a fat lock back to a thin lock.
    * If and when to skip on the fairness on a contended fat lock to improve
    performance.
    These heuristics are dynamically adaptive, which means that they will
    automatically change to what's best suited for the actual application that
    is being run.
    Since the switch beteen thin and fat locks are done automatically by
    JRockit to the kind of lock that maximizes performance of the application,
    the relative difference in performance between thin and fat locks
    shouldn't really be of any concern to the user. It is impossible to give a
    general answer to this question anyhow, since it differs from system to
    system, depending on how many CPU:s you have, what kind of CPU:s, the
    performance on other parts of the system (memory, cache, etc) and similar
    factors. In addition to this, it is also very hard to give a good answer
    to the question even for a specific system. Especially tricky is it to
    determine with any accuracy the time spent spinning on contended thin
    locks, since JRockit loops just a few machine instuctions a few times
    before giving up, and profiling of this is likely to heavily influence the
    time, giving a skewed image of the performance.
    To summarize:
    If you're concerned about performance, and can change your program to
    avoid contention on a lock - then do so. If you can't avoid contention,
    try to keep the code needed to run contended to a minimum. JRockit will
    then do whatever is in its power to run your progam as fast as possible.
    Use the lock information provided by JRA as a hint: fat locks are likely
    to have been contended much or for a long time. Put your effort on
    minimizing contention on them.

  • Can you put the tabs on top setting in 'Options - Tabs' so it's easy to get at?

    To save all this messing about with tabs everytime a new version of FF updates, I suggest the tabs on top setting is placed in 'Options - Tabs' so it's easy to get at. Lots of people seem to have this problem, for them and me, we prefer to have Tabs on Bottom like they used to be.
    Now we have to load an addin to correct this short-sightedness. I think this is a bad idea also. Why can't the browser just work straight out of the box? It did before!
    And while we are at it, the new updates should leave our customisations as they were, so we don't have to reset them all every time there's an update. In fact, during an update we are asked if we want to import settings etc from IE or don't import anything, but no option to import from the outgoing FF!!!!
    Many moons ago Firefox was a breeze now it's become a nightmare!

    Support to disable "Tabs on Top" has been removed from Firefox 29 and later and toggling the browser.tabs.onTop pref to false on the about:config page is no longer possible.
    You can look at the Tabs On Bottom or the Classic Theme Restorer extension to restore this functionality.
    * https://addons.mozilla.org/firefox/addon/tabs-on-bottom/
    *https://addons.mozilla.org/firefox/addon/classicthemerestorer/
    You can move the tabs to the lower position just above the browsing area without using an extension with code in userChrome.css as basically you only need to give the Tab bar a higher -moz-box-ordinal-group value (most toolbars have a default -moz-box-ordinal-group:1 to show them in DOM order).
    Add code to the <b>userChrome.css</b> file below the default @namespace line.
    *http://kb.mozillazine.org/userChrome.css
    <pre><nowiki>@namespace url("https://www.mozilla.org/keymaster/gatekeeper/there.is.only.xul"); /* only needed once */
    #TabsToolbar { -moz-box-ordinal-group:10000 !important; }
    </nowiki></pre>
    The customization files userChrome.css (user interface) and userContent.css (websites) are located in the <b>chrome</b> folder in the Firefox profile folder.
    *http://kb.mozillazine.org/Editing_configuration
    * Create the chrome folder (lowercase) in the <xxxxxxxx>.default profile folder if this folder doesn't exist
    * Use a plain text editor like Notepad to create a (new) userChrome.css file in this folder (the names are case sensitive)
    * Paste the code in the userChrome.css file in the editor window
    *Make sure that the userChrome.css file starts with the default @namespace line
    * Make sure that you select "All files" and not "Text files" when you save the file via "Save file as" in the text editor as userChrome.css. Otherwise Windows may add a hidden .txt file extension and you end up with a not working userChrome.css.txt file
    You can use this button to go to the currently used Firefox profile folder:
    *Help > Troubleshooting Information > Profile Directory: Show Folder (Linux: Open Directory; Mac: Show in Finder)

  • I copied this from your 5.0 download information: "All of the App Tabs you have set when you close Firefox will open as App Tabs when you start Firefox again." When I opened my computer today all my apptabs from yesterday had disappeared. Why?

    Your download page for 5.0 stated: All of the App Tabs you have set when you close Firefox will open as App Tabs when you start Firefox again.
    I liked the convenience of using App Tabs and was disappointed to find that the ones I had set up yesterday were gone today. Am I doing something wrong?

    Works fine for me, I can simulate your problem by improperly closing Firefox.
    The correct way would be to close the windows you don't want and then to exit Firefox through the File ("'''Alt+F'''") menu then use '''Exit''' or '''Qui'''t depending on your system.
    But '''I can simulate your problem''' by closing the good window with "X" in the upper right-corner first (the one with the app-tabs) and then close the other window by any means.
    You restart Firefox and open a window, since you closed without app-tabs there are none so you just see a window with your home page.
    Firefox has some things added to Firefox 4 and therefore in Firefox 5.
    # "'''Alt+S'''" (Hi'''s'''tory menu)
    # "'''Restore Previous Session'''" (that's the window without the app-tabs, but you have to this first)
    # "'''Restore Recently Closed Windows'''" -- can choose which window to reopen based on name and the mouse-over tells how many tabs. or you just use "'''Restore All Windows'''" without the guessing.
    ''I know you are on a Mac, and this affects Windows user more than anybody else, but it does affect other systems besides Windows, occasionally, perhaps more often now with the plugins container.''
    The following may not completely eliminate having to terminate Firefox through the Windows Control Panel but it will come very close.
    '''Plug-in and tasks started by Firefox may continue after attempting
    to close Firefox''' The "X" in the upper right-hand corner closes the
    Window (same as Ctrl+Shift+W) but even if it is the last Firefox window,
    it does not necessarily close Firefox .
    The only '''proper way to exit Firefox''' is to use '''Exit''' through the
    File menu, not the "X" in the upper right corner of last Firefox window.
    In the Firefox 4 and 5 that would be Alt+F then X
    * '''Firefox hangs''' | Troubleshooting | Firefox Support <br>http://support.mozilla.com/en-US/kb/Firefox%20hangs#w_hang-at-exit
    Use the '''Windows Task Manger''' to remove all running firefox.exe in the "'''Processes'''" tab of the Windows Task Manager, then restart Firefox.
    If Firefox will still not start, remove the parent.lock file from the profile which is created each time Firefox is started to prevent other Firefox tasks from running, see<br>
    http://kb.mozillazine.org/Profile_in_use#Remove_the_profile_lock_file
    '''Avoiding Problems with close/restart''' ''choose either extension''
    :Use to close and restart Firefox after enabling or disabling an extension, switching to a new theme, or modifying configuration files, then you don't have to worry about delay or have to look in the Task Manager to see if Firefox is closed yet.
    Both extensions use the same keyboard shortcut "'''Ctrl+Alt+R'''" or a file menu option.
    *"'''Restartless Restart'''" extension for Firefox 4.0+ only (2 KB download ) <br>https://addons.mozilla.org/firefox/addon/249342/
    *For older versions use "'''QuickRestart'''" extension (34 KB download) (<br>https://addons.mozilla.org/firefox/addon/3559/

  • I have a dumb phone I am trying to update my operating system but don't have the software update under general setting. I've tried to do this on line but nothing! Help

    I have a dumb phone not a smart phone. It doesn't have the software update under general setting. I tried to upgrade online but nothing! Currently, I cannot get many apps because I need the upgrade. Help

    That's because you don't have iOS 5 or higher. See the following:
    Connect the phone to your computer. Open iTunes. Select your phone from the sidebar under Devices. Click on the Summary tab in the main window. Click on the Update button.

  • Profile Tab not being shown in VisualVm  for weblogic

    Hi ,
    I am trying to configure visualvm to see the performance of my application.
    I am able to configure it properly however only "profile tab" is missing.
    I tried searching the probable cause on internet: Found one probable solution. Need to have same jdk. Yes my visualvm and weblogic, both are running on same jre/jdk.
    Weblogic PID Overview as seen by visualvm
    PID: 7980
    Host: localhost
    Main class: <unknown>
    Arguments: <none>
    JVM: Java HotSpot(TM) 64-Bit Server VM (20.13-b02, mixed mode)
    Java: version 1.6.0_38, vendor Sun Microsystems Inc.
    Java Home: C:\oracle\MIDDLE~1\JDK16~1.0_3\jre
    JVM Flags: <none>
    -Xms256m
    -Xmx512m
    -XX:CompileThreshold=8000
    -XX:PermSize=128m
    -XX:MaxPermSize=256m
    -Dweblogic.Name=AdminServer
    -Djava.security.policy=C:\oracle\MIDDLE~1\WLSERV~1.1\server\lib\weblogic.policy
    -Dcom.sun.management.jmxremote
    -Dcom.sun.management.jmxremote.port=9998
    -Dcom.sun.management.jmxremote.authenticate=false
    -Dcom.sun.management.jmxremote.ssl=false
    -Xverify:none
    -Djava.endorsed.dirs=C:\oracle\MIDDLE~1\JDK16~1.0_3/jre/lib/endorsed;C:\oracle\MIDDLE~1\WLSERV~1.1/endorsed
    -da
    -Dplatform.home=C:\oracle\MIDDLE~1\WLSERV~1.1
    -Dwls.home=C:\oracle\MIDDLE~1\WLSERV~1.1\server
    -Dweblogic.home=C:\oracle\MIDDLE~1\WLSERV~1.1\server
    -Dweblogic.management.discover=true
    -Dwlw.iterativeDev=
    -Dwlw.testConsole=
    -Dwlw.logErrorsToConsole=
    -Dweblogic.ext.dirs=C:\oracle\MIDDLE~1\patch_wls1211\profiles\default\sysext_manifest_classpath;C:\oracle\MIDDLE~1\patch_ocp371\profiles\default\sysext_manifest_classpath
    VisualVM info ;
    Version:
    1.3.5 (Build 121105); platform 20120926-d0f92ba97f49
    System:
    Windows 7 (6.1) Service Pack 1, amd64 64bit
    Java:
    1.6.0_38; Java HotSpot(TM) 64-Bit Server VM (20.13-b02, mixed mode)
    Vendor:
    Sun Microsystems Inc., http://java.sun.com/
    Environment:
    Cp1252; en_US (visualvm)
    User directory:
    C:\Users\me\AppData\Roaming\VisualVM\1.3.5
    Cache directory:
    C:\Users\me\AppData\Local\VisualVM\Cache\1.3.5
    Clusters:
    C:\work\visualvm_135\platform
    C:\work\visualvm_135\visualvm
    C:\work\visualvm_135\profiler
    Any Idea?? Thanks in advance.
    Also, I am able to see profile tab for tomcat.

    Hi,
    For Outlook Cached mode, the GAL shown in Outlook is the Offline Address Book which is a .oab file downloaded on your local hard disk. Generally, if left constantly running, Outlook in cached mode
    automatically updates the offline address book on the client
    every 24 hours.
    The 24-hour time period is measured from the time that the offline address book was last downloaded successfully. For example, if you complete an offline address book download at 09:00 today, Outlook will start the offline address book
    download the next day at approximately 09:00. Therefore, different people will receive updates at different, random times.
    For more information about OAB downloading and updating, please refer to Q5 to Q20 in:
    http://support.microsoft.com/kb/841273/en-us
    Best Regards,
    Winnie Liang
    TechNet Community Support

  • PLD format setting for qty (no decimal) but general setting uses 3 decimal

    The General Setting uses the 3 decimal for QTY but PLD wants to show only integer (not any decimal).  How to do this?

    Hi Lily Chien,
    Its simple, try this
    ->> Open the require PLD and Select the Qty field in Repetetive Area. then,
    ->> Goto Properties Window and put the Tick mark in Suppress Zeros on Format Tab.
    Save it and run the print preview.
    Regards,
    Madhan.

  • Credit  Managment : Profile tab  is  not  visible  in  BP

    Hi  All  ,
    I  am  working on  FSCM  credit  managment project.
    For  FSCM credit managment :
    I  have  activated  the  Badi : activation of  SAP  credit  managment (Interface  Set Active and FI_AR_Upadte mode)
    1)Set Active
    E_ACTIVE_FLAG = 'X' .
    E_ERP2005 = 'X'
    2)FI_AR_Upadte mode
    E_DIRECT_UPDATE = 'X'.
    But when  I am  selecting  the  Bussiness  partner   under (SAP  credit  managment role ).Profile  tab  is  not  visible .
    Please  help  me  out .
    Regards
    Rahul

    Hi,
    Pls check note 956054 and see if you have set up the business partner the correct way. This is the basis.
    Rgds,
    Richard

  • HT201317 My iPad doesn't have "lock-unlock" icon on general setting . Why?

    My iPad doesn't have " lock-unlock " icon on general setting please let me know why?

    If you have the original iPad, that feature was not available, but you are showing iOS 7.0.4 in your tag line profile. If you have any iPad newer than the original iPad and you don't see that in the settings, you can make it appear when you put a Smart Cover or any cover with magnets on it. You can also run refrigerator or other small magnets along the side of the iPad and the setting should appear.

  • AD user account Remote Desktop Services Profile tab

    I have a template I created for a RDS environment.  I'm using the AD account properties to map the Home directory.
    If I set the home folder on the "Profile" tab and copy the template to a new user, it works just fine.  If I change the template to connect the Home folder from the Remote Desktop Service Profile tab it works for the template...but when I
    copy that template to a new user the home folder attribute does not copy.
    Anyone know why?  Or perhaps of a trick to get this to work?
    I've gone as far to set the msTSHomeDrive and msTSHomeDirectory attributes "Attribute is copied when duplicating a user" but doesn't appear to work.  I dont' see an updated "RDS" type attribute that stands out on this 2012 DC.

    Hi,
    Please go through below article might helpful in your case.
    How to read msTSProfilePath, msTSHomeDrive and msTSHomeDirectory properties from AD (VB.NET)
    http://blogs.msdn.com/b/alejacma/archive/2010/10/13/how-to-read-mstsprofilepath-mstshomedrive-and-mstshomedirectory-properties-from-ad-vb-net.aspx
    Hope it helps!
    Thanks.
    Dharmesh Solanki
    Please remember to mark the replies as answers if they help and unmark them if they provide no help. If you have feedback for TechNet Support, contact [email protected]

  • I noticed when I restart Firefox 4, it opens my previous tabs even I set the option "Open a blank page" and it opens blank page when I have "Show my windows and tabs from last time". Please ignore my question if you're already aware of this issue. Thanks.

    I noticed when I restart Firefox 4, it opens my previous tabs even I set the option "Open a blank page" and it opens blank page when I have "Show my windows and tabs from last time". Please ignore my question if you're already aware of this issue. Thanks.

    Your previous tabs will not re-open or be available to re-open when starting Firefox if:
    *your previous session was in Private Browsing mode; see --> http://support.mozilla.org/en-US/kb/Private+Browsing
    *you use Clear Recent History (''Firefox button > History > Clear Recent History'' or ''Tools > Clear Recent History''); see --> https://support.mozilla.org/en-US/kb/Clear%20Recent%20History#w_how-do-i-clear-my-history
    *you clear History automatically when closing Firefox; see --> https://support.mozilla.org/en-US/kb/Clear%20Recent%20History#w_how-do-i-make-firefox-clear-my-history-automatically
    NOTE: Your third-party Plugins (Add-ons > Plugins) are not in the "Application Basics" (Troubleshooting Information) in the "More system details" of your original post. Third-party Plugins are categorized separately in "Installed Plugins" under "More system details". You should review but not change the Plugins as detected automatically by the software on this forum when posting a question.
    If you problem still exists after checking the above, the problem could be caused by one or more of your Extensions or Plugins:
    *See --> [http://support.mozilla.org/en-US/kb/Troubleshooting+extensions+and+themes Troubleshooting extensions and themes]
    *See --> [http://support.mozilla.org/en-US/kb/Troubleshooting+plugins Troubleshooting plugins]
    *See --> [http://support.mozilla.org/en-US/kb/Basic+Troubleshooting Basic Troubleshooting]
    '''If this reply solves your problem, please click "Solved It" next to this reply when <u>signed-in</u> to the forum.'''

  • I am unable to see any POP3 or IMAP tab when I set up an account in my iphone 4S. Hence by default all my email accounts become IMAP and the messages are deleted from the server when I delete them from the iphone.

    I am unable to see any POP3 or IMAP tab when I set up an account in my iphone 4S. Hence by default all my email accounts become IMAP and the messages are deleted from the server when I delete them from the iphone.

    ok sorry everyone but i solved it myself but the solution is so nuts i've posted it here to help others who have the same problem.
    to setup a comcast imap account on your iphone:
    go to mail, contacts, etc in settings
    under accts, select add account
    select "other"
    new screen, choose "add mail account"
    now on the new acct screen you must enter your name, email address and password for your GMAIL acct ! (yes i said your gmail acct !, or some other acct with a NON comcast address).
    hit next
    then the acct verifies
    when verified a screen will open with all the acct settings for this acct AND @ the top of the screen are the 2 buttons > imap or POP
    select imap and THEN CHANGE ALL THE ACCOUNT information to the comcast account !
    then hit next and the account will take a couple minutes to verify but it will verify and now you have a comcast imap acct set up on your iphone.  The problem must be that when the iphone sends the initial verify acct info to comcast (if you enter that information first) the comcast server is simply not setup yet to signal the iphone that there is an imap option.

  • Add a new tab to General data in XD01

    Hi,
    I want to add a new tab to General data in XD01. I came across some BADI's(CUSTOMER_ADD_DATA, CUSTOMER_ADD_DATA_CS) which can be used to add pushbuttons(like General Data, Sales Area) and inside that we were able to add tabs. But i need to add a new tab inside General Data Button.
    Is there any Screen Exit to do this?
    Thanks,
    Savitha

    Hi,
    Try using BDTs. (Business Data Toolset)
    Check the area menu BUPT.
    Regards,
    Sharin

  • Receiving Error : Please set the Receivables system options for this operating unit and ensure that the MO: Operating Unit profile option is correctly set with an operating unit that is set up in Receivables. while trying to create a new Customer.

    Hi All,
    We have set up a new Operating Unit in Oracle Apps. Now when I am trying to create a new Customer in that Operating Unit, I am receiving following error:
    ERROR MESSAGE:-Please set the Receivables system options for this operating unit and ensure that the MO: Operating Unit profile option is correctly set with an operating unit that is set up in Receivables.
    We do have MO: Operating Unit and MO: Default Operating Unit set properly at Responsibility level for the Responsibility through which I am accessing this form.
    Your help is appreciated!
    Thanks in advance,
    SKA

    You can refer this thread and check your MO operating unit is set or not https://community.oracle.com/message/3937028 thanks

Maybe you are looking for