Cast/interpret a string like "{{1,3},{2,5}}" as array

is it possible to interpre or cast a string with "arraysyntax" like "{5,8}" as an array?
or is the only way to parse the string and catch the values via string comparisons? this would mean it doesn't matter how the string looks like as long as i am able to get the values.
probably it is possible via a script engine?
i am using javascript to eval strings like "3+6".(representative = (Double) engine.eval("3.5");)
but evaluating strings like "(1,2,3)" (javascript array syntax) is different?! And array=(double[]) engine.eval("(3.5,1.0)"); would not work?

i am can freely specify the string. so it could also 1,2|3,4. but i thought it is some how possible to specify the string the right way and then cast/interpret it directly as a string.
"What does engine.eval("(3.5,1.0)").getClass() return? Are you getting a List of Doubles?"
that is exactly what i want to know -
the correct way for javascript is:
double[][] value = (double[][]) engine.eval("new Array(new Array(1.0,2.0),new Array(3.0,4.0))");i know javascript it self returns "[[1.0,2.0][3.0,4.0]]" but i don't know which class the eval returns. javadoc says object.

Similar Messages

  • Problem with conversion of strings like THISStr - this_str capitalization

    Problem with conversion of strings like. THISStr -> this_str
    Can anybody pass on the reverse code. I have one, but its faulty.
    public static String convertFromPolycaps(String str) {
              Pattern pattern = Pattern.compile("\\p{Upper}+");
              Matcher matcher = pattern.matcher(str);
              StringBuffer result = new StringBuffer();
              // We do manual replacement so we can change case
              boolean notFirst = false;
              int grpP = 0, grpA = 0;
              String last = "";
              String now = "";
              while (matcher.find()) {
                   grpA = matcher.end();
                   if (notFirst) {
                        now = matcher.group().substring(0).toLowerCase();
                        if (grpA - grpP > 1) {
                             matcher.appendReplacement(result, now);
                             result =
                                  new StringBuffer(
                                       result.substring(0, (result.length() - 1))
                                            + "_"
                                            + result.substring(result.length() - 1));
                        } else {
                             matcher.appendReplacement(result, "_" + now);
                   } else {
                        matcher.appendReplacement(result, matcher.group().substring(0).toLowerCase());
                        notFirst = true;
                   grpP = matcher.end();
                   ////index++;
                   last = now;
              matcher.appendTail(result);
              System.err.println(str + " : " + result.toString());
              return result.toString();
         }succesfully converts :
    AccountNmnc : account_nmnc
    CustNameJ : cust_name_j
    Resume : resume
    BeneBrCode : bene_br_code
    ApprovedPerson : approved_person
    but fails for:
    GLCode : glcode
    VISHALErrCode : vishalerr_code
    GHASUNNAcNo : ghasunnac_no

    Can anybody pass on the reverse code. I have one, but
    its faulty.Post it, I'm sure we can fix it...

  • How can I search for a string like a partial IP address in the global search

    When searching for a string like "10.255." the global search finds messages containing "255" or "10" and both.
    This happens no matter whether quotation is used or not.
    When quotation is used it probably will match on the given order as well, but beeing in the timezone '+0100' the string "10" is always found first (in the email headers...).
    Is there a way to tell the global search not to use '.' or any other character as whitespace?

    When searching for a string like "10.255." the global search finds messages containing "255" or "10" and both.
    This happens no matter whether quotation is used or not.
    When quotation is used it probably will match on the given order as well, but beeing in the timezone '+0100' the string "10" is always found first (in the email headers...).
    Is there a way to tell the global search not to use '.' or any other character as whitespace?

  • Break a string like this 06-26-002-30-1 within a view?

    Hello,
    I have been trying to do this for a while with no luck. Is there a way to break a string like this 06-26-002-30-1 within a view?
    Thank you

    BTW. What happened to "-26-"?I missed it.
    I post it again anyway
    Processing ...
    WITH t AS (
         SELECT '06-26-002-30-1'||'-' col1
         FROM dual
    select substr(
              t.col1,
              decode(
                   level,
                   1,
                   1,
                   instr(t.col1,'-',1,level-1)+1
              instr(t.col1,'-',1,level)-decode(
                   level,
                   1,
                   1,
                   instr(t.col1,'-',1,level-1)+1
    from t
    connect by instr(t.col1,'-',1,level) <>0
    Query finished, retrieving results...
    SUBSTR(T.COL1,DECODE(LEVEL,1,1,INSTR(T.COL1,'-',1,LEVEL-1)+1),INSTR(T.COL1,'-',1
    06                                                                              
    26                                                                              
    002                                                                             
    30                                                                              
    1                                                                               
    5 row(s) retrievedBye Alessandro

  • ClassCast Exception while casting to type String

    Dear Java users
    While coding a parse routine in a session EJB , I created a vector and added some elements to it.
    Naturally these elements are of type object.
    Now, while extracting elements out of the vector I tried to cast them to the actual type that the elements are.
    Most of the elements are of type String and some of type Long and Double.Note that these are all Object wrappers not primitives.
    The code compiles fine, however at run time I get the following error:
    java.lang.ClassCastException : java.lang.String
    I tried to do the casting two ways: (String) object and object.toString(). In both cases I got the same error.
    Here is a snippet of my code where I get the error:
    RETAIL_TRANX retail_db = retail_home.create(columns.elementAt(0).toString(),
    columns.elementAt(1).toString(),................
    Any ideas on why this is happening and how best should I cast to String.
    Thank you for any help you can provide
    Best
    Naveen

    RETAIL_TRANX retail_db = retail_home.create(columns.elementAt(0).toString(),
    columns.elementAt(1).toString(),................
    I'd say that the code above calls the toString() implemented in the Object class because that's what elementAt() returns. If you want String objects as arguments to the create method, you want the toString() implemented in the subclasses String, Long, and Double. To achieve this, try the following:
    RETAIL_TRANX retail_db = retail_home.create(((String)columns.elementAt(0)).toString()...
    This code casts the Object class object returned by elementAt to a String first and then it calls the toString() method on the String object resulting from the cast. The toString() that executes should be the one in the String rather than Object class.
    This is going to fail if elementAt() doesn't return an object that can be cast to a String. In this case, what you might want to do first is test the type of object returned with the instanceof operator. Then cast to the appropriate type, in each case calling toString() after the cast has been made.
    Regards,
    Steve

  • Compile source string like java code

    I need to calculate some user defined formulas in my application. I have this formula in string form (e.g. "operand1 * operand2 + operand3" ). I have gained operand values throught the reflection and pars this string throught the StringTokenizer. So I have parsed string with operand values and operators. Is it possible to compile this string like java code ?
    Thanks for all hints

    Compile to what - a class file?
    Yes, it's possible if you don't mind using non-100% pure Java. You can compile them using the sun.tools.javac.Main class found from tools.jar in the lib directory of the jdk.
    But from what you say it would be easier to use an existing expression evaluator. Take a look at JEP (jep.sourceforge.net) and BeanShell (www.google.com) before you make any decision.

  • I have an iPhone5. I update to iOS7. Now I cannot edit my messages. I have to delete the whole message string like in iPhone 1. What has gone wrong

    I have an iPhone5. I updated to iOS7. Now I cannot edit my messages. I have to delete the whole message string like in iPhone 1. What has gone wrong?

    Thanks it resloved my question, but Apple has made it more complicated it was so much easier to just press the edit button and select messages to be deleted. Now its cumbersome to delete several messages. Apple should give us back the edit button.

  • TestStand is interpreting my string parameters

    I am having a problem where teststand is interpretting my strings, when all I want is for it to pass the string to my api exactly as it has been entered.
    I have a TestStand step that calls a method on my COM object, passing a string parameter. I have entered the parameter into the sequence as
    "\\QESP42200M2\Process\Providers\VRSample\Servlets (By Type)\Setpoints\TestScaleFactor"
    but when I run the sequence, by method receives the following string.
    "\QESP42200M2\Process\Providers\VRSample\Servlets (By Type)\Setpoints|estScaleFactor"
    So it's interpretting the '\\' as '\' and '\T' as a tab.
    I understand that the string will come out correctly if I double up my back slashes, but this is highly inconvenient for me. E
    very other component in my system passes strings as data (ie. no interpretting of what's in the string), and I would have to make special rules for TestStand.
    Is there any way I can make TestStand stop doing this?
    Thanks,
    Aaron Stibich
    Senior Engineer
    Innovative Technologies Inc.
    925-803-2884

    Hi Aaron,
    I know that if you load properties via the propertyloader then '\\' become '\' and '\t' become a tab an therefore you do have to double up on the '\' char to counter the affect. (Or modify the PropertyLoader step code).
    But if you have just manually entered the value into a string variable in your sequence then its usually just treated as entered. So if you enter '\n' then its seen as '\' char and 'n' char but if you enter '' ( by pressing Ctrl + Enter keys) then its treated as the one character.
    So it depends under what circumstance you are seeing this conversion. Can you give more details on what you are doing and when this conversion is happening?
    With the PropertyLoader step type the code is provided with Teststand so a custom step could be
    created to stop the conversion.
    If it is a big problem for yourself you could try using an array of U8 instead of a string.
    Regards
    Ray Farmer
    Regards
    Ray Farmer

  • Separate string like "x,y" to x and y. how ?

    Hi !
    How can I seperate string like x,y to x and y ???
    Thank you!

    Hi,
    if there is only one "," in that string, you can do it this way to
    String yourString = "first part,second part";
    int i =yourString.indexOf(",");
    String first = yourString.subString(0,i);
    String second = yourString.subString(++i);with a StringTokenizer do it this way:
    String yourString = "first part,second part";
    StringTokenizer st = new StringTokenizer(yourString,",");
    String first = st.nextToken();
    String second = st.nextToken();You see, if you have to separate more parts separated by "," the StringTokenizer would be the better choice - but that can be done also by a recursive or iterative method, which uses the first code.
    Hope this helps
    greetings Marsian

  • Casting c to string in a methode calling

    Hallo,
    I've a methode with a string paramter like: code]methode(i_param TYPE string)[/code].
    In the calling methode the parameter value
    l_value
    for i_param is stored in a variable from type c.
    In java I would like call:
    methode((string) l_value)
    (For all java guys: I know that casting between basic types and objects are not possible, but I belive string isn't an object in ABAP)
    Is there any simular way in ABAP or is this me way:
             DATA: l_value_string TYPE string.
             MOVE l_value TO l_value_string.
             methode( l_value_string ).
    Torsten

    Hi Torsten,
    There is no other way as far as I know...Might be in release 7.10, but I have no info about it.
    Casting exist also in ABAP, but only for objects:
    DATA: dref1 TYPE REF TO i,
          dref2 TYPE REF TO data.
    CREATE DATA dref1.
    dref2 = dref1.
    CREATE DATA dref2 TYPE string.
    TRY.
      dref1 ?= dref2.
      CATCH cx_sy_move_cast_error.
    ENDTRY.
    I agree, that it would be quite useful.
    Best regards,
    Peter

  • Casting Vector to String

    Hi All,
    I am getting a classcastexception error when I try to cast a vector to a string, which I thought was possible.
    Can anyone assist me please?
    ResultSet rsFaculty = faculty.getNewFaculty();
    Vector v = new Vector();     
    while (rsFaculty.next();
         Vector row = new Vector();
         row.add(rsFaculty.getString("FacultyID"));
         row.add(rsFaculty.getString("FacultyName"));
         v.add(row);
    int vsize = v.size();
    int choice = (int)(Math.random()*vsize);
    String StringName = (String) v.elementAt(2);     
    out.println(v.elementAt(2));

    Like the exception says, you cant do this cast
    You could use the toString() method, but I suspect this is not what you want. I think what you are really after is something along the lines of
    String result = (String) ( (Vector)v.elementAt(0)).elementAt(1) );

  • How can i get the correct text from a string like it show in the original source with the quotation marks in the right place ?

    The text is in hebrew so the problem is that sometimes the quotation marks not in the right place.
    For example i have this text: תווית
    על בגד: ''תן לאישה לכבס. זה תפקידה''
    This is the source original text you can see the quotations marks and they are not in the right place and all i did is copy paste.
    And this is a screenshot of how this text looks like in the website in the original:
    You can see now where the quotations marks should be.
    Now this is how i'm using the text in my program:
    First of all i'm using a webclient to download the page from the website and i'm also encoding it to windows-1255 since it's in hebrew.
    using (var webClient = new WebClient())
    webClient.Headers.Add("user-agent", "Mozilla/4.0 (compatible; MSIE 6.0; Windows NT 5.2; .NET CLR 1.0.3705;)");
    byte[] myDataBuffer = webClient.DownloadData("http://rotter.net/scoopscache.html");
    page = Encoding.GetEncoding("windows-1255").GetString(myDataBuffer);
    Then i'm extracting the places i need by reading the html file lines and parsing the right text and it's link.
    string loc;
    List<string> metas = new List<string>();
    List<string> metas1 = new List<string>();
    List<string> lockedLinks1 = new List<string>();
    string text = "";
    string mys = "";
    public List<string> LockedThreads(string filename)
    lockedThreads = new List<string>();
    lockedLinks = new List<string>();
    Regex textRegex = new Regex("ToolTip.*?(?=','<)");
    string[] fall = File.ReadAllLines(filename);
    for (int i = 0; i < fall.Length; i++)
    if (fall[i].Contains("http://rotter.net") && fall[i].Contains("locked")||
    fall[i].Contains("locked_icon_general") ||
    fall[i].Contains("locked_icon_anchor") ||
    fall[i].Contains("icon_anchor") ||
    fall[i].Contains("locked_icon_fire") ||
    fall[i].Contains("locked_icon_sport") ||
    fall[i].Contains("locked_icon_camera") ||
    fall[i].Contains("locked_icon_movie"))
    Regex linkParser = new Regex(@"\b(?:https?://|www\.)\S+\b", RegexOptions.Compiled | RegexOptions.IgnoreCase);
    foreach (Match m in linkParser.Matches(fall[i + 2]))
    if (m.Value.Contains("><b"))
    loc = m.Value.Replace("\"><b", string.Empty);
    lockedLinks.Add(loc);
    string txt = fall[i - 1];
    string text = textRegex.Match(txt).Value.Replace("ToolTip','", String.Empty);
    if (text.Contains("&rsquo;"))
    text = text.Replace("&rsquo;", string.Empty);
    lockedThreads.Add(text);
    Already here on the List lockedThreads you can see the quotation marks not in the right place as in the original:
    After i'm parsing the text and links and adding them to the Lists in another class i'm doing a comparison using this Lists:
    foreach (List<string> l_branch in ListsExtractions.responsers)
    TreeNode l_node = treeView1.Nodes.Add(l_branch[l_branch.Count - 1]);
    if (ListsExtractions.lockedThreads.Contains(l_node.Text))
    l_node.ImageIndex = 0;
    l_node.SelectedImageIndex = 0;
    for (int l_count = 0; l_count < l_branch.Count - 1; l_count++)
    TreeNode l_subnode = l_node.Nodes.Add(l_branch[l_count]);
    if (ListsExtractions.lockedThreads.Contains(l_subnode.Text))
    l_subnode.ImageIndex = 0;
    l_subnode.SelectedImageIndex = 0;
    The problem is in the line:
    if (ListsExtractions.lockedThreads.Contains(l_node.Text))
    When it's getting to the line with the quotation marks it's never equal.
    Now there are more quotation marks.
    In general the problem when comparing both text if it's having quotation marks it's not the same.
    So i have two options:
    1. To fix it somehow so the quotation marks will be the same in both variables when comparing and also the same like in the original as they show in the html page.
    2. To remove the quotation marks from both variables.
    What should i do ? And how ? I was prefer to use the original quotation marks like in the original since they have a meaning in the place they should be. The question is how can i do it ?
    This is example of the block from the html file where the text with the quotation marks is:
    <TD ALIGN="RIGHT" VALIGN="TOP">&nbsp;<font size=-1 color=#ff9933><b>9418</b></font>&nbsp;</TD></TR><TR BGCOLOR="#eeeeee">
    <TD ALIGN="RIGHT" VALIGN="TOP">
    <body onmousemove="overhere()">
    <a onmouseover="EnterContent('ToolTip','תווית על בגד: &rsquo;&rsquo;תן לאישה לכבס. זה תפקידה&rsquo;&rsquo;','<u><span style=color:#000099;>כתב: Spook בתאריך: 08.03.15 שעה: 22:11</span></u><br>מחאת טוויטר קמה בעקבות תוויות שוביניסטיות שהדפיסה חברת אופנה באינדונזיה לפיהן תפקיד הכביסה מוטל על האישה. החברה התנצלה אך כנראה רק עשתה רק יותר נזק לע...'); Activate();" onmouseout="deActivate()" href="javascript:void(0)">
    <img src="http://rotter.net/forum/Images/new_locked_icon_general.gif" border="0"></a></TD><TD ALIGN="right" VALIGN="TOP" WIDTH="55%">
    <FONT CLASS='text15bn'><FONT FACE="Arial">
    <a href="http://rotter.net/cgi-bin/forum/dcboard.cgi?az=read_count&om=189696&forum=scoops1"><b>
    <font color="898A8E">תווית על בגד: ''תן לאישה לכבס. זה תפקידה''</b>
    </a></font></TD>

    Ok, it is unclear on what is happening here.
    Are you saying that when the webclient gets the data that it is not honoring the quote characters? Or the processing of the data buffer is causing issues?
    This is what I see the of your example text which is trying to be parse out:
    <a onmouseover="EnterContent('ToolTip','תווית על בגד: &rsquo;&rsquo;תן לאישה לכבס. זה תפקידה&rsquo;&rsquo;','<u><span style=color:#000099;>כתב: Spook בתאריך: 08.03.15 שעה: 22:11</span></u><br>מחאת טוויטר קמה בעקבות תוויות שוביניסטיות שהדפיסה חברת אופנה באינדונזיה לפיהן תפקיד הכביסה מוטל על האישה. החברה התנצלה אך כנראה רק עשתה רק יותר נזק לע...'); Activate();">";
    It appears to me that the  escapes `&rsquo;` does not have matching `&ldquo;` anywhere within the tooltip. So it appears that the page properly places left quotes in when processing the page, but the raw html has broken text.
    Hence a garbage in, garbage out situation.
    William Wegerson (www.OmegaCoder.Com)

  • Problem in Casting the encoded string to XML

    Hi all,
    From dotnet code i have encoded the XML as string and passed this value as XML attribute value in below.
    Am not sure if we can have XML as attribute value inside another XML.hence i did with below approach.
    Now i have special character '<' in that please refer yellow highlighted.this was having problem in casting to XML.
    Kindly assist me.
    Thanks in advance. 
    DECLARE @XML
    XML                       
    SET @XML
    = '<Utility><Actions><Action Category="ExecuteSp" SettingName="GetDMS" ComponentId="19">
    <Parameters Param="SourceXML" Value="&amp;lt;NewDataSet&amp;gt;&amp;lt;Table1&amp;gt;&amp;lt;DocumentName&amp;gt;US OB
    &amp;amp;lt; 14 Weeks /Transvaginal&amp;lt;/DocumentName&amp;gt;&amp;lt;/Table1&amp;gt;&amp;lt;/NewDataSet&amp;gt;" /></Action></Actions></Utility>'            
    Declare @SourceDMSXML
    as varchar(max)                          
    SELECT 
    @SourceDMSXML = @XML.value('(/Utility/Actions/Action/Parameters[@Param = "SourceXML"]/@Value)[1]','varchar(max)')               
    SET @SourceDMSXML
    = Replace(@SourceDMSXML
    , '&amp;lt;',
    '<');                   
    SET @SourceDMSXML
    = Replace(@SourceDMSXML
    , '&amp;gt;',
    '>');      
    SET @SourceDMSXML
    = Replace(@SourceDMSXML
    , '&lt;',
    '<');                   
    SET @SourceDMSXML
    = Replace(@SourceDMSXML
    , '&gt;',
    '>'); 
    DECLARE @SourceXML
    XML                          
    SET @SourceXML
    = CAST(@SourceDMSXML
    AS XML)    
    select  
    @SourceXML  

    How are you generating this value? You need to use TYPE directive for avoiding this
    see similar example here
    http://visakhm.blogspot.in/2014/01/rowset-concatenation-with-special.html
    Please Mark This As Answer if it helps to solve the issue Visakh ---------------------------- http://visakhm.blogspot.com/ https://www.facebook.com/VmBlogs

  • Sorting string like windows file name sorting

    Hi everybody, I have a simple question.
    I was trying to sort some file name in java
    Let say we have a list of string which are :
    1.txt
    a.txt
    2.txt
    11.txt
    a(1).txt
    a(11).txt
    a(2).txt
    If i convert those strings as file names, and sort it by file name in the windows explorer the result is
    1.txt
    2.txt
    11.txt
    a(1).txt
    a(2).txt
    a(11).txt
    a.txt
    But if i enter those strings into an Arraylist and use Arrays.sort or Collections.sort, the result is
    1.txt
    11.txt
    2.txt
    a(1).txt
    a(11).txt
    a(2).txt
    a.txt
    Is there a way to achieve the string sort similar to windows rather than aplhabetically like the default sort of Arrays/Collection.
    I have done some searching but only found problem regarding to different language character sorting which can be achieved using Collator but this was not my case. Has anybody encounter this issue ?
    Any help is greatly appreciated
    regards
    Hendra Effendi

    ballistic_realm wrote:
    Let say we have a list of string which are :
    1.txt
    a.txt
    2.txt
    11.txt
    a(1).txt
    a(11).txt
    a(2).txt
    If i convert those strings as file names, and sort it by file name in the windows explorer the result is
    1.txt
    2.txt
    11.txt
    a(1).txt
    a(2).txt
    a(11).txt
    a.txt
    ...Not sure, but wouldn't Windows sort it like:
    1.txt
    2.txt
    11.txt
    a.txt
    a(1).txt
    a(2).txt
    a(11).txt
    If so, the try something like this (UNTESTED!):
    class WindowsFileNamesComparator implements Comparator<String> {
        public int compare(String a, String b) {
            String[] tokensA = tokenize(withoutExtension(a));
            String[] tokensB = tokenize(withoutExtension(b));
            int max = Math.min(tokensA.length, tokensB.length);
            for(int i = 0; i < max; i++) {
                if(tokensA.equalsIgnoreCase(tokensB[i]))
    continue;
    else if(tokensA[i].matches("\\d+") && tokensB[i].matches("\\D+"))
    return -1;
    else if(tokensA[i].matches("\\D+") && tokensB[i].matches("\\d+"))
    return 1;
    else if(tokensA[i].matches("\\d+") && tokensB[i].matches("\\d+"))
    return Integer.valueOf(tokensA[i])-Integer.valueOf(tokensB[i]);
    else
    return tokensA[i].compareTo(tokensB[i]);
    return tokensA.length - tokensB.length;
    private String[] tokenize(String s) {
    List<String> tokens = new ArrayList<String>();
    Matcher m = Pattern.compile("\\d+|\\D+").matcher(s);
    while(m.find()) {
    tokens.add(m.group());
    return tokens.toArray(new String[]{});
    private String withoutExtension(String s) {
    int lastDot = s.lastIndexOf('.');
    return lastDot < 0 ? s : s.substring(0, lastDot);

  • Inputting string like in C

    I'm new in Java. I used to be C programmer. I cannot find such method which can handle some input like scanf( ) in C. Is there any? If any, please some one tell me. I'm trying to build an interactive console application with Java, I know it is possible but i dont know how. I've tried using System.in.read(), but i'm confused how to use this method.

    There's no scanf() like here in java, if you want to an input from a console you need to do it by yourself....
    The above code is one example and here's another one:
    import java.io.*;
    public class test
         public static void main(String a[])
            try {
                    DataInputStream input = new DataInputStream(System.in);
                    System.out.println ("Enter a String: ");
                    String str=input.readLine();
                    System.out.println ("Your string: "+str);
            catch (Exception ex) {
    [code/]                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                   

Maybe you are looking for

  • Button on page 0 -- Close current window

    I have been asked if its possible to close the current window when a user clicks on a button. (I suspect this will involve some javascript) any example would be appreciated

  • Installing Boot Camp 3.0

    Hi there. I installed a 32bit Windows 7 Ultimate on my Mac book using boot camp.  I downloaded BootCamp 3.2 and asked me to install 3.1.  I also downloaded that but now it is telling me to install 3.0.  I am new to all this, and never used Boot Camp

  • Setting up Dreamweaver CS4 with PHP testing server... Live View doesnt work

    Hello, Im trying to setup Dreamweaver CS4 with a php website im making. Ive setup the site information, and provided a testing site (XAMPP), and i can see the fully rendered .php pages in the Live View tab. However, say i change some of the text in t

  • Can I restore an iPhone back up to an iPod Touch?

    I just dropped my iPhone in water but I need to retrieve my iCloud data. Can I restore an iPhone iCloud back up onto an iPod Touch? If anybody has any ideas please let me know. Thanks guys!

  • AIA COM 2.0.1 Vs AIA COM 2.4

    Hi All, What are the functionalities that are added in the AIA COM 2.4 PIP which were not present in AIA COM 2.0.1 PIP? What are the new features we are using in the AIA COM 2.4 PIP? Is AIA COM 2.0.1 upgradable to 2.4? Thanks, Shanty