Two basic xcode questions (tabs and displaying members)

I have two questions about xcode that are most likely answered easily:
1. Is there a way to set it so that selecting a block of text and hitting tab or shift tab will indent it instead of replacing it with a tab? I know that i can right click and do move right, but that is pretty irritating to do on a regular basis.
2. How do I get xcode to display members of classes and structs when I am typing? For example if I type 'var->' I want it to pop up a list of available members that belong to var for me to choose from. Or if I type 'function(' i want it to list what the parameters are that function is expecting.

I don't think that anyone much gives a flying fsck what "features" are available; unless that person is trying to "sell" something to you.
Of course, I assumed your standards were based on what Micro$hite offers you. Why should that be a standard?
If you want similar features, you will have to use a proprietary Apple API. Believe me, you can get it. But you cannot inspect MFC from inside Apple's IDE.
I'm sorry, I don't really intend my remarks to be harsh. It just astonishes me when people don't realize that these folks are not in business to HELP YOU but are in business to MAKE MONEY.
I'm not even saying this is wrong. I'm just saying, you should not be astonished.

Similar Messages

  • List Box showing Value and Display members?

    Ok this is a CONCEPT problem (the code is not professional, just read it for the concept, though it does compile and run).
    Right, I have asked many people on IRC and no one is giving me a straight answer lol so maybe some professionals can help me.
    I am trying to use a Datasource property for my combobox. This is so I can just pass an entire KeyValue pair with indexes and values to be shown in the listbox.
    Creating the keyvaluepair as a WHOLE and passing that to datasource property works perfectly.
    Creating a keyvaluepair PROCEDURALLY (in a loop or w/e) ends in the datasource property ToString()ing it, list box items show BOTH value AND display members in square brackets as an entire option.
    NOTE: Getting the lsitbox.value results in ONLY the valuemember being returned even though the listbox shows both the valuemembers AND the displaymember? it knows they are different?
    Now, I dont want any alternatives or comments about the quality of the code, all I want to know is WHY is it doing this, it seems compeltely illogical that the same TYPE and Values and can different Effects within the datasource property? Its like it knows
    it was built procedurally?
    Anyway here is some code for reference:
    // Windows Form
    namespace skbtInstaller
    public partial class frmMainWindow : Form
    public frmMainWindow()
    InitializeComponent();
    // coxArmaPath = Combo Box (simple drop down)
    this.cBoxArmaPath.ValueMember = "Key";
    this.cBoxArmaPath.DisplayMember = "Value";
    public void addServerPathItem(String Key, String Value)
    this.cBoxArmaPath.Items.Add(new KeyValuePair<String, String>(Key,Value));
    // This works fine, only the "DisplayMember" is displayed and the "ValueMember" is hidden.
    // This acts differently with the same types???
    public void setServerPathDatasource(List<KeyValuePair<String, String>> source)
    this.cBoxArmaPath.DataSource = new BindingSource(source, null);
    public class skbtServerControl
    private frmMainWindow frmMainWindowHandle;
    public void refreshformWindow()
    // Clear Drop Box (empties drop box)
    this.frmMainWindowHandle.clearPathBox();
    //skbtServerConfig is very simple property object
    foreach (KeyValuePair<String, skbtServerConfig> pair in CoreConfig.getServerConfigList())
    // Populate Drop Box
    this.frmMainWindowHandle.addServerPathItem(pair.Key, pair.Value.getTextualName()); // this works as intended
    // cBox gets items like: Some Display Text, Some Display Text, Some Display Text (PERFECT!)
    // This works absolutely fine. ValueMembers are hidden.
    public void refreshformWindowWithSTATICDatasource()
    // Clear Drop Box
    this.frmMainWindowHandle.clearPathBox();
    var pathDataSource = new List<KeyValuePair<String, String>>()
    new KeyValuePair<String, String>("testKey1", "somevalue1"),
    new KeyValuePair<String, String>("testKey2", "somevalue2"),
    new KeyValuePair<String, String>("testKey3", "somevalue3")
    // Populate Drop Box
    this.frmMainWindowHandle.setServerPathDatasource(pathDataSource);
    // cBox gets items like: Some Display Text, Some Display Text, Some Display Text (PERFECT!)
    // ** HERE IS THE PROBLEM?? **
    // This creates a type that seems different to the above function which works fine...
    public void refreshformWindowWithDatasource()
    // Clear Drop Box
    this.frmMainWindowHandle.clearPathBox();
    var pathDataSource = new List<KeyValuePair<String, String>>();
    //skbtServerConfig is very simple property object
    foreach (KeyValuePair<String, skbtServerConfig> pair in CoreConfig.getServerConfigList())
    pathDataSource.Add(new KeyValuePair<String, String>(pair.Key, pair.Value.getTextualName()));
    // Populate Drop Box
    this.frmMainWindowHandle.setServerPathDatasource(pathDataSource);
    // cBox gets items like [asjAETJQ5785d45,Some Display Text], [asawfgQ5785d45,Some Display Text], [asjAhrrQ5785d45,Some Display Text]
    // ????? surely this function should act exactly like the function above??
    Thanks!
    (I have posted on codeproject too, will condense any replies).
                 

    Thanks Michael!
    I did debug this and it turns out when i set a new BindingSource to the combo box, indeed the DisplayMember gets reset. Oddly though, the ValueMember stays the same.
    I have fixed this with setting the Members before every new bindingSource is set to the combobox, strange that only the displaymember is reset?
    For reference, the new resolved code: (this compiles albeit with designer components placed)
    using System;
    using System.Collections.Generic;
    using System.ComponentModel;
    using System.Data;
    using System.Drawing;
    using System.Linq;
    using System.Text;
    using System.Threading.Tasks;
    using System.Windows.Forms;
    namespace etstapp1
    public partial class Form1 : Form
    private skbtServerControl sc;
    public Form1()
    InitializeComponent();
    this.sc = new skbtServerControl(this);
    // coxArmaPath = Combo Box (simple drop down)
    this.cBoxArmaPath.ValueMember = "Key";
    this.cBoxArmaPath.DisplayMember = "Value"; // This doesnt seem to stick after the first datasource set??
    public void addServerPathItem(String Key, String Value)
    this.cBoxArmaPath.Items.Add(new KeyValuePair<String, String>(Key, Value));
    // This works fine, only the "DisplayMember" is displayed and the "ValueMember" is hidden.
    // This acts differently with the same types???
    public void setServerPathDatasource(List<KeyValuePair<String, String>> source)
    this.cBoxArmaPath.DisplayMember = "Value"; // fix datasource problem
    this.cBoxArmaPath.ValueMember = "Key"; // fix datasource problem
    this.cBoxArmaPath.DataSource = new BindingSource(source, null);
    public void clearPathBox()
    if(this.cBoxArmaPath.DataSource == null){
    this.cBoxArmaPath.Items.Clear();
    else
    this.cBoxArmaPath.DataSource = null;
    private void btnStatic_Click(object sender, EventArgs e)
    this.sc.refreshformWindowWithSTATICDatasource();
    private void btnNormal_Click(object sender, EventArgs e)
    this.sc.refreshFormWindow();
    private void btnDynamic_Click(object sender, EventArgs e)
    this.sc.refreshformWindowWithDatasource();
    public class skbtServerControl
    private CoreConfig CoreConfig;
    private Form1 frmMainWindowHandle;
    public skbtServerControl(Form1 f){
    this.frmMainWindowHandle = f;
    this.CoreConfig = new CoreConfig();
    public void refreshFormWindow()
    // Clear Drop Box (empties drop box)
    this.frmMainWindowHandle.clearPathBox();
    //skbtServerConfig is very simple property object
    foreach (KeyValuePair<String, skbtServerConfig> pair in CoreConfig.getServerConfigList())
    // Populate Drop Box
    this.frmMainWindowHandle.addServerPathItem(pair.Key, pair.Value.getTextualName()); // this works as intended
    // cBox gets items like: Some Display Text, Some Display Text, Some Display Text (PERFECT!)
    // This works absolutely fine. ValueMembers are hidden.
    public void refreshformWindowWithSTATICDatasource()
    // Clear Drop Box
    this.frmMainWindowHandle.clearPathBox();
    var pathDataSource = new List<KeyValuePair<String, String>>()
    new KeyValuePair<String, String>("testKey1", "somevalue1"),
    new KeyValuePair<String, String>("testKey2", "somevalue2"),
    new KeyValuePair<String, String>("testKey3", "somevalue3")
    // Populate Drop Box
    this.frmMainWindowHandle.setServerPathDatasource(pathDataSource);
    // cBox gets items like: Some Display Text, Some Display Text, Some Display Text (PERFECT!)
    // ** HERE IS THE PROBLEM?? **
    // This creates a type that seems different to the above function which works fine...
    public void refreshformWindowWithDatasource()
    // Clear Drop Box
    this.frmMainWindowHandle.clearPathBox();
    var pathDataSource = new List<KeyValuePair<String, String>>();
    //skbtServerConfig is very simple property object
    foreach (KeyValuePair<String, skbtServerConfig> pair in this.CoreConfig.getServerConfigList())
    pathDataSource.Add(new KeyValuePair<String, String>(pair.Key, pair.Value.getTextualName()));
    // Populate Drop Box
    this.frmMainWindowHandle.setServerPathDatasource(pathDataSource);
    // cBox gets items like [asjAETJQ5785d45,Some Display Text], [asawfgQ5785d45,Some Display Text], [asjAhrrQ5785d45,Some Display Text]
    // ????? surely this function should act exactly like the function above??
    public class CoreConfig
    public Dictionary<String, skbtServerConfig> getServerConfigList(){
    return new Dictionary<string, skbtServerConfig>()
    {"somekey1", new skbtServerConfig("somename1")},
    {"somekey2", new skbtServerConfig("somename2")}
    public class skbtServerConfig
    private String name;
    public skbtServerConfig(String name)
    this.name = name;
    public String getTextualName()
    return this.name;
    Talking with someone it seems logical that every time I set a new BindingSource the component will not know if I want to keep the same member values so it resets them, but why it only resets displaymember? very strange to me.
    Thanks again.

  • BADI or User Exit validation of operations tab and displaying an error mess

    Hello,
    Could you please let me know the BADI or User Exit validation of operations tab and displaying an error message in iw32
    Thanks,
    Suresh Mgl

    Hi ..
    I tried that user-exit...but i need to block the changes for purchase requisition which is in released stutus..
    .i hope i need to do implicite enchancement spot.....could you please help me to do that..
    Thanks,
    Suresh Mgl

  • Tabs and display conditions

    Hey everyone.
    I was toying around with my Apex as I love to do, however, im a bit confused regarding tabs and display conditions.
    My scenario:
    I want a user, perhaps a public one in the future, to be able to reach page 1 of my application, where there might be for example a form or anything else fun, but I want to have a display condition on tab nr 2 to only be displayed for admin users.
    Fair enough, checked out the conditionstypes and thought the sql returns at least 1 row would be sutiable so I made myself a username table with name, usernames etc and one "admin" column that contains a Y or N flag.
    So I chosed Exists (SQL query returns at least one row)
    And in expression1 I entered "select username from users where username=:APP_USER and admin='Y'"
    However, this somehow seem to fail the display condition, and the tab disapears entirely. regardless if I use my appuser (which has uppercase in the table) or the built in "admin" user.
    I tried this SQL out in the query tool and it asked for the bind variable value and I entered my username and it displayed 1 row correctly. But somehow this doesn't seem to work for the tab.
    Am I thinking the wrong way here or what am I doing? :)
    Sincerely
    Johnny

    It is standard tab set, and I want the tab going to page 2 to be invisible for non admins for example, but I seem to make the admin tab disapear even thou I know my sql is correct, if I disable the display condition both tabs is visible again, so am I thinking reverse, or is it something else?
    Message was edited by:
    Mr plow

  • Two basic, related questions about external HDs and trashing/erasing

    I have a couple of questions about using an external hard drive that I can't seem to get answered by surfing around. They'll probably seem stupid and basic, but ... Here they are:
    1. When you drag a file from your external hard drive to the trash, does that file actually transfer to the main hard drive's trash, and thus the main hard drive? For instance, say I'm deleting a 4 GIG file. Will I temporarily add 4 GIGs to my main drive in the process of deleting it?
    2. With a multipartitioned ext. drive, can you erase the contents of a single partition with the disk utility, thus bypassing having to drag-trash everything on that partition?
    Thanks.
    G5 iMac   Mac OS X (10.4.2)   Powerbook (10.4.6)

    1. No. The files are moved to an invisible .Trash directory on the external volume. No copying of data takes place between volumes when you move stuff to the trash.
    2. Yes. You can use Disk Utility to erase or securely erase just a single Volume on a disk, leaving the other volumes unaffected. Simply click on the name of the Volume in the left pane of Disk Utilitly, click on the Erase tab in the right pane, and choose the options you want for erasing the volume.

  • 2 swing questions: JScrollPane and displaying pictures

    I'm building a GUI for a toy application I have written, I have two questions:
    1-The main window is inherited from JFrame, There is a JTabbedPane attached to it, and a JPanel as the first tab of the tabbed pane. There are so many jcomponents in this JPanel, this makes it too big for small resolution computers (below 1024 * 768), I would like to add this JPanel to a JScrollPane to make it behave like a text area, I've done it but it didn't work, obviously there is something I'm missing.
    2-My application calls another program to create some images at runtime which will be displayed in the other tabs, after calling the program and creating the image, I get the filename of the image. What is the best way to display this image?
    I have tried JLabel's but they don't update their pictures for some reason after it has been changed.
    Thanx in advance.

    Updated and tested code, hopefully this will help.
    import javax.swing.*;
    import java.awt.*;
    import java.awt.event.*;
    import java.awt.image.*;
    public class ImagePanel extends JPanel {
      private String imageFilename = null;
      private Image image = null;
      private Toolkit toolkit = null;
      public ImagePanel() {
        super();
        toolkit = Toolkit.getDefaultToolkit();
      public void setImageFilename(String filename) {
        imageFilename = filename;
        try {
          image = toolkit.createImage(imageFilename);
          setPreferredSize(new Dimension(image.getWidth(this), image.getHeight(this)));
          repaint();
        } catch (Exception e) {
          e.printStackTrace();
          imageFilename = null;
          image = null;
      public Dimension getPreferredSize() {
           if (image == null) return new Dimension(0, 0);
           else return new Dimension(image.getWidth(this), image.getHeight(this));
      protected void paintComponent(Graphics g) {
           Insets insets = getInsets();
           g.setColor(Color.white);
           g.fillRect(0,0, insets.left + getWidth(), insets.top + getHeight());
        if (image != null) {
          g.drawImage(image, insets.top, insets.left, this);
      public void reloadImage() {
           if (imageFilename != null) {
          try {
            image = toolkit.createImage(imageFilename);
            repaint();
          } catch (Exception e) {
            imageFilename = null;
            image = null;
      public static void main(String args[]) {
           JFrame frame = new JFrame();
           frame.addWindowListener(
                new WindowAdapter() {
                     public void windowClosing(WindowEvent we) {
                          System.exit(0);     
           frame.setSize(600, 400);
           JPanel parentPanel = new JPanel();
           parentPanel.setLayout(new GridLayout(1,1));
           JTabbedPane tabPane = new JTabbedPane();
           ImagePanel imagePanel = new ImagePanel();
           JScrollPane scrollPane = new JScrollPane(imagePanel);
           imagePanel.setImageFilename("C:\\dell\\drivers\\R27748\\mrmfiles\\image015.jpg");
           parentPanel.add(scrollPane);
           tabPane.addTab("Tab 1", parentPanel);
           frame.getContentPane().add(tabPane);
           frame.show();
    }

  • Create a tab and display customized subscreen

    Hi,
    In the SRM portal I want a customized tab on the Display Purchase Order screen. On the click of the this tab, a customized sub screen should be displayed.
    To achieve this I have implemented the BADI BBP_CUF_BADI and created a subscreen.
    Now my questions are:
    1) How do I get the tab on the Display Purchase Order screen?
    2) On the click of the tab, how do I get the customized subscreen?
    I must also add that when I mark the screen as normal screen (and not as a subscreen), I am able to display it in the portal (though not on click of the tab, as I am yet to figure out how to get a tab on the screen).
    Thanks in advance,
    Mick

    Hi Mick,
    Please let me knwo if you have got any success with this requirement, as I too am having the same requirement.
    Thanks,
    Rahul.

  • Format Fields in Cross Tab and Calculated Members

    Hello:
    I have a cross Tab with a calculated member, I need to display one decimal or no decimal in some of the columns so I created a formula in the Display String option like this:
    if GridRowColumnValue ("@TestID_desc")= "ALK mg/L
    then
      Cstr(CurrentFieldValue, "0")
    else
      Cstr(CurrentFieldValue, "0.0")
    But, after I saved the formula the value in the calculated member colums disappears. Any ideas? Thank You in advance!

    right click on calculated field and go to format field and in number tab select customize button and write the condition for decimals.
    regards,
    Raghavendra

  • Tab and displayed

    1. When I press the tab at the 1st textbox(Name),the cursur doesnt pass into 2nd textbox(Hobby), it will jump to the 3rd
    textbox(Comment).
    what should be the coding at the 2nd textbox?
    <tr>
    <td class="normaltext" bgcolor="#e6e6e6" width="30%">Name</td>
    <td class="normaltext" bgcolor="#ffffff"><Input type="text" name="o_name" id="o_name" size="40" ></td>
    </tr>
    <tr>
    <td class="normaltext" bgcolor="#e6e6e6" width="30%">Hobby</td>
    <td class="normaltext" bgcolor="#ffffff"><Input type="text" class="readonly_normaltext" name="o_hobby" id="o_hobby"></td>
    </tr>
    <tr>
    <td class="normaltext" bgcolor="#e6e6e6" width="30%">Comment</td>
    <td class="normaltext" bgcolor="#ffffff"><Input type="text" class="normaltext" name="o_comment" /></td>
    </tr>
    Any idea?
    2. when my first page loaded, ot will displayed today's date at a textbox (mydate) in dd/mm/yyyy format.
    I want to set this textbox, so atht if i click the reset button, teh dats is still displayed there, not effected by
    theaction.
    <%
    if (mydate == null || mydate.trim().length() < 1) {
    try {mydate = ((String) session.getAttribute("todaysdate")).replaceAll("-", "/");}
    catch (Exception e)
         {mydate = " / / ";}
    %>
    <tr>
    <td class="normaltext" bgcolor="#e6e6e6" width="30%">Date</td>
    <td class="normaltext" bgcolor="#ffffff"><Input type="text" name="o_mydate" id="o_mydate" maxlength="10" class="normaltext"
    value=" / / " /></td>
    </tr>
    any idea?

    Add-ons sometimes launch a page at startup when they are updated. But that should rarely happen otherwise. I wonder where that is set??
    The Chartlet add-on is an Extension, so if you are looking to see whether you have it:
    orange Firefox button ''or'' Tools menu > Add-ons > Extensions

  • Mac computer hangs for minute or two when opening new tab and when opeing printer version

    MacBookPro Intel Core I7 using OS X10.7.2; Firefox V9.0.1; anti-virus ESET cybersecurity;

    -> Update Firefox to the latest version 10
    * [[Installing Firefox on Mac]]
    -> Update All your Firefox Plugins -> [https://www.mozilla.org/en-US/plugincheck/]
    * '''When Downloading Plugins Update setup files, Remove Checkmark from Downloading other Optional Softwares with your Plugins (e.g. Toolbars, McAfee, Google Chrome, etc.)'''
    Perform the suggestions mentioned in the following articles:
    * [https://support.mozilla.com/en-US/kb/Template:clearCookiesCache/ Clear Cookies & Cache]
    * [[Troubleshooting extensions and themes]]
    Check and tell if its working.

  • Read two different arrays and display

    I have a text file, which has 1000 of entries in the way mentioned below:
    Kozos customer
    sabze employee
    I am reading the content of text file and saving as an arrays.
    $global:Content = get-content info.txt
    $global:Name=$Content | foreach {
    $hashTab=@{Name="" ; Info=""}
    $hashTab.Name, $hashTab.Info=$_.Trim() -split '\s+'
    New-Object PSObject -Property $hashTab
    $global:Names=$ServerList | select -ExpandProperty Name
    $global:Infos=$ServerList | select -ExpandProperty Info
    How do I read two arrays, I mean read the values of two arrays one by one and display the result as:
    Names Infos
    Kozos Customer
    sabze employee

    We get that you are unable to do this, but it is still not clear precisely what it is that you want, a two-dimensional array, or a structure such as SeanQuinlan suggested? Also:
    there seems no reason for any of the variables to be global in scope.
    Where is the $serverlist variable defined?
    what relationship is there between the file you mention and the data in the $serverlist variable?
    Your code has three arrays, $name, $names, and $infos; which two of these do you want to combine into a single array? If $names and $infos, would this work for you:
        $namesNinfos = $serverlist | select name,info
    I suggest that you describe your situation without trying to state it in powershell (as that is partly where your problem lies). You could, for example, show sample content of the file and each of the two arrays, and show what this would look like in your
    desired two-dimensional array, perhaps like this:
    file info.txt
    Kozos customer
    sabze employee
    array 1:
    Kozos
    sabze
    array 2:
    customer
    employee
    resultant 2D array
    column 1 2
    row
    1 Kozos customer
    2 sabze employee
    As an aside, it could be that we are getting confused by the term "array". languages such as fortran and basic support multidimensional arrays in which each element is addressed by a set of integer indices, the most common form being row and column, as in
    a spreadsheet.
    In Powershell, arrays are generally one dimensional, with a single numerical index being used to select a single element ($row3 = $array[2]). That element can optionally have multiple values if it is defined as an array or a hash. This is referred to as
    a "jagged array" as each element of the array may not all have the same number of sub-elements as each other.
    Powershell also supports true multidimensional arrays, however, these seem fairly rarely used, I suspect because jagged arrays generally provide more easily used functionality.
    You can get more details on this from
    here and
    here.
    This, then, leads to my final question:
    what type of two-dimensional array are you looking for, and how will your script be processing it?
    Al Dunbar -- remember to 'mark or propose as answer' or 'vote as helpful' as appropriate.

  • File name and displaying images

    I am trying to rename all the jpg files i have in my directory, to consecutive number. eg. 1.jpg, 2.jpg. as a new comer to the java world, im not too sure if i have doen it right. could you check...
    Also, after i renamed the files i want the images displayed side by side across the screen..
    This is teh code...
    import java.awt.*;
    import java.applet.Applet;
    import javax.swing.*;
    import java.io.*;
    import java.io.File;
    import java.io.IOException;
    public class GetImages extends Applet {
         public static void main(String[] args) throws IOException
    // File (or directory) with old name
        File file = new File("picture1.jpg");
        // File (or directory) with new name
        File file2 = new File("1.jpg");
        // Rename file (or directory)
              int xx;
              xx = 0;
       if (xx<500) {
       file.renameTo(new File(xx+".jpg"));
         xx++;
    private Image image;
    public void init() {
       image = getImage(getDocumentBase(), (xx+".jpg"));
    public void paint(Graphics g) {
         int x, y, counter, numberOfImages;
    x = 0;
    y = 0;
    counter = 1;
    numberOfImages = 21;
    while (counter != numberOfImages) {
              g.drawImage(image, x, y, 15, 15,this);
              x = x + 15;
              counter++; im not too sure where i am goign wrong?

    You're really trying to do two things: rename the files and display the images. Let's work on one at a time. First, to rename the files, you'll need to get a list of the files in the directory. Look at the Javadocs for java.io.File (http://java.sun.com/j2se/1.5.0/docs/api/java/io/File.html) for the way to do this.
    Once you have the list of files, you need to loop through them and rename each one. A for loop will be a good way to do this. You'll have an array of Files, so your code might look something like this:
    // Get your array of Files and call it something simple like 'files'
    int numFiles = files.length;
    for( int x = 0; x < numFiles; x++ )
    // Rename the file
    }The for loop will start at 0 and loop until x is equal to numFiles.

  • Other apps don't respect Contact Sort and Display order

    I just noticed this on my iPhone 4 and am wondering if anyone else has seen that the Map and Mail apps do not respect the 'Sort Order' and Display Order' settings that are chosen in 'Settings'.
    I'm referring to when you get access to your contacts list when inside these apps (when you are composing a new email in Mail and use the '+' icon in the 'To:' & also when in Maps when using the 'contacts icon' to load an address in the 'Search' or 'Direction' fields.
    On my iPhone 4 these two apps have the Sort and Display order apparently hardwired in that they don't change the ordering when it is changed in 'Settings'. It used to be that the contact list would always update everywhere to respect the odering chosen in 'Settings'. I thought that this must be an OS issue but for some strange reason on my old iPhone 3G that also has iOS 4 on it, I don't see this seemingly incorrect behavior....so at least in my case it is hardware specific.

    1. I have a simlar problem with my new iPhone.
    2. Settings configured to be "Last, First" (both sort&display).
    2a. The Contacts app does not following this setting, but...
    2b. The Phone app contact list correctly follows the setting.
    3. In Settings app, configured to be "First, Last" (both sort& display).
    3a. The Contacts app follows this setting
    3b. The Phone app contact list follows this setting.
    4. Could be that the Contacts app does not depend on the Settings (hard-coded?).

  • Upgrade 2 basic lines to smartphones and add a smartphone line

    I have 3 lines we are on a family share plan and line 1 is the only smartphone.
    Line 1 unlimted data smartphone
    line 2 and 3 are due for upgrades just basic phones but want to switch to smartphones plus add a 4th line.  do I have to give up my unlimted data to get them on a data plan?
    Thanks for any feed back.

    Each line has its own contract, so making changes to one line shouldn't affect the other lines.  You should be able to upgrade the two basic phones to smartphones and add a 2GB ($30) data plan to each and add the fourth line without affecting the unlimited data line.  You may want to check the math to ensure that it isn't cheaper to switch to the More Everything plan, though (depending on data usage) ... and be aware that unless you make the changes on-line, VzW reps will probably try to steer you toward changing to the More Everything plan, but that's not required.

  • Two Questions: Link and call transaction

    Hello,
        Im using tableView and tableviewcontrol to display the data and corresponding columns.
        How can I mark one column of table (let say VBELN) as link <a href....> so that user see there is event attached to column. Only one column should have link.
        Secondly, when user click on order, I need to call VA03 and display order. When users see order and and say Back, flow come back to BSP. Will call transaction VA03 in BSP event will work and how? Currently my URL is crashing on VA03.
        Im trying to do something like interactive report.
      Please let me know.
      Ajay

    It sounds like you will want to do a little research on two different topics.  First for your tableView - read up on on tableView Iterators.  There are weblogs and on-line help on the subject. This will allow you to easily control the rendering of individual cells of your table.  You can then render an htmlb:link in the cell in question.
    You can't just call VA03 from a BSP application, VA03 needs to run within the SAPGui. When I have had requirements like this, I like to use the ITS (integrated into the kernel as of Netweaver 04).  The ITS has a service called webgui that will render an HTML version of any SAPGui transaction.  You can pass initialization parameters to the start of the transaction (such as sales order number for the start of VA03).  That way you can jump from your application right into the order you want to view.

Maybe you are looking for

  • How can I turn off Calendar text reminder

    I keep receiving Calendar "text" reminders, in addition to Notification Reminders. It's ANNOYING because I already choose which events I want a notification for, within the New Event "form" each-time I create a new event. I can choose to be alerted 5

  • Trying to find a file that is not showing up on Computer!!!

    I am trying to delete a file that i found on cleanmymac. I am trying to find the file on my computer, but it doesnt work!!! On CleanMyMac it even says the location of where the file is, But i cant find it!!!!

  • How to maintain the state of a spry collapsible panel

    how can i get the index of an open collapsible panel dynamically... i've used two collapsible panels...if the second panel is open, then after page refresh, automatically the second one closes and the default one i.e. the first panel opens....

  • Remove Padding from Header in DW5.5?

    Can anybody help me with a pickle? I'm trying to create our headers in HTML only and I can't figure out how to get the padding off below the header so it touches the border. Here's the code: HARD CODE: <table width="93%" align="center" cellpadding="0

  • Syncing gmail contact groups with ipad2

    I wish to sync my gmail contacts groups using microsoft exchange on the iPad2. Everything syncs correctly except the gmail groups I have created for my contacts.  Anyone have a solution ?