Trying to get Xinet XMP data

Hi Everyone,
I'm trying to create a slug script for InDesign CS3 that retrieves custom Xinet metadata from a custom XMP panel.  I was able to complete this task in Illustrator CS3 by using the following code to connect to the XMP data:
// load the library:
if (ExternalObject.AdobeXMPScript == undefined) {
     ExternalObject.AdobeXMPScript = new ExternalObject('lib:../../Frameworks/AdobeXMPScript');
// get the custom client field:
var docXmp = new XMPMeta(docRef.XMPString);
var xmpClient = docXmp.getProperty('http://ns.xinet.com/ns/xinetschema#',"CLIENT");
alert(xmpClient);
I've noticed that the Frameworks file for InDesgin is AdobeXMP.framework and not AdobeXMPScript, and the XMPMeta object does not apparently exist in AdobeXMP.framework. 
Am I missing something here?  I find it very odd that Adobe would use different libraries across their applications for something that's supposed to be a standard.  How can I retrieve the Xinet data?
Thanks,
-Dave

I figured it out.  Here's the solution:
var myClient = docRef.metadataPreferences.getProperty('http://ns.xinet.com/ns/xinetschema#', "CLIENT");
alert(myClient);

Similar Messages

  • Trying to get ending effective date for groups of rows

    Hi Everyone,
    I've searched the forums, but I can't find a post that presents a problem quite like this.
    I have some data that looks like this:
            ID_NUM     EFFECTIVE ALLOC_PERCENT   ACCT
           101 01-JUL-11            21   A1
           101 01-JUL-11            72   A2
           101 01-JUL-11             7   A3
           101 01-JUL-12            20   B1
           101 01-JUL-12            80   B2
           101 01-JAN-13            20   A1
           101 01-JAN-13            20   A2
           101 01-JAN-13            50   A3
           101 01-JAN-13            10   B1
           101 01-JUN-13            50   A1
           101 01-JUN-13            50   A2(note - I manually inserted blank lines for clarity)
    Here's the logic: The rows represent a percentage allocation to the account number for the specified id number, for that effective date. A newer effective date supercedes previous ones, and if any row in the conceptual group is superceded, then they all are.
    I'm trying to find out the date when each group's effective period ended, and include that in the result set so that I can subsequently calculate the number of days a given row was effective; something like this;
      ID_NUM     EFFECTIVE END_DATE   ALLOC_PERCENT ACCT
           101 01-JUL-11 01-JUL-12             21 A1
           101 01-JUL-11 01-JUL-12             72 A2
           101 01-JUL-11 01-JUL-12              7 A3
           101 01-JUL-12 01-JAN-13             20 B1
           101 01-JUL-12 01-JAN-13             80 B2
           101 01-JAN-13 01-JUN-13             20 A1
           101 01-JAN-13 01-JUN-13             20 A2
           101 01-JAN-13 01-JUN-13             50 A3
           101 01-JAN-13 01-JUN-13             10 B1
           101 01-JUN-13 <null>                50 A1
           101 01-JUN-13 <null>                50 A2The END_DATE of the group is the EFFECTIVE_DATE of the following group (ordered by ID_NUM, EFFECTIVE_DATE).
    The last two rows' END_DATE is null because there is no group of rows with a later effective date - in my process, I'll NVL that to sysdate so that my days calculations will be valid.
    I tried some analytic queries with LEAD, but I couldn't figure out how to make it get the next group's effective date. I could get the next row's effective date, but not the next group's. I couldn't specify how many lead rows to look ahead, because there is not a consistent number of rows in each group.
    How do I populate the END_Date column?
    Here's the code to create the above.
    create table t
    (id_num number,
    effective_date date,
    alloc_percent number,
    acct_code varchar2(4)
    insert into t (id_num,Effective_date,alloc_percent,acct_code) values(101,'01-jul-2011',21.0,'A1');
    insert into t (id_num,Effective_date,alloc_percent,acct_code) values(101,'01-jul-2011',72.0,'A2');
    insert into t (id_num,Effective_date,alloc_percent,acct_code) values(101,'01-jul-2011',7.0,'A3');
    insert into t (id_num,Effective_date,alloc_percent,acct_code) values(101,'01-jul-2012',20.0,'B1');
    insert into t (id_num,Effective_date,alloc_percent,acct_code) values(101,'01-jul-2012',80.0,'B2');
    insert into t (id_num,Effective_date,alloc_percent,acct_code) values(101,'01-jan-2013',20.0,'A1');
    insert into t (id_num,Effective_date,alloc_percent,acct_code) values(101,'01-jan-2013',20.0,'A2');
    insert into t (id_num,Effective_date,alloc_percent,acct_code) values(101,'01-jan-2013',50.0,'A3');
    insert into t (id_num,Effective_date,alloc_percent,acct_code) values(101,'01-jan-2013',10.0,'B1');
    insert into t (id_num,Effective_date,alloc_percent,acct_code) values(101,'01-jun-2013',50.0,'A1');
    insert into t (id_num,Effective_date,alloc_percent,acct_code) values(101,'01-jun-2013',50.0,'A2');
    commit;
    select * from t;Oracle version information:
    Oracle Database 11g Enterprise Edition Release 11.2.0.3.0 - 64bit Production
    PL/SQL Release 11.2.0.3.0 - Production
    "CORE     11.2.0.3.0     Production"
    TNS for Solaris: Version 11.2.0.3.0 - Production
    NLSRTL Version 11.2.0.3.0 - Production
    Thank you very much

    select  id_num,
            effective_date,
            first_value(effective_date)
              over(
                   partition by id_num
                   order by effective_date
                   range between 1 following and unbounded following
                  ) end_date,
            alloc_percent,
            acct_code
      from  t
      order by id_num,
               effective_date
        ID_NUM EFFECTIVE END_DATE  ALLOC_PERCENT ACCT
           101 01-JUL-11 01-JUL-12            21 A1
           101 01-JUL-11 01-JUL-12            72 A2
           101 01-JUL-11 01-JUL-12             7 A3
           101 01-JUL-12 01-JAN-13            20 B1
           101 01-JUL-12 01-JAN-13            80 B2
           101 01-JAN-13 01-JUN-13            20 A1
           101 01-JAN-13 01-JUN-13            10 B1
           101 01-JAN-13 01-JUN-13            20 A2
           101 01-JAN-13 01-JUN-13            50 A3
           101 01-JUN-13                      50 A1
           101 01-JUN-13                      50 A2
    11 rows selected.
    SQL> SY.

  • Hello, My computer crashed, I removed the hard drive and installed it into a hard drive enclosure and now I am trying to get my Thunderbird data off of it

    Hello,
    Thank you for taking a look at my problem. My Windows computer crashed so I removed the hard drive and installed it into a hard drive enclosure and connected it to my new Windows computer with a USB cord. I installed Mozilla Thunderbird on my new computer and read the different tutorials on this website for extracting data from the external hard drive and installing it on my new computer however I cannot seem to be able to find the files that I need and quite frankly I do not know how to move them once I do find them. I even tried MozBackup but it could not find the files either. I searched for profiles.ini in the hard drive and the only hit I got was a profiles.ini file that was 111 bytes in size. I assumed that this was not what I was looking for but I did save a copy on my desktop. If someone has experience with moving files from a hard drive to a new computer I would be grateful for the help.
    Thanks,
    AN

    lets get with the program. Mozbackup is useless in this situation because it looks for your profile in the location Thunderbird says it is.
    You biggest hurdle is probably setting windows to show system and hidden files. The %appdata% folders are hidden by windows.

  • Trying to get UTF-8 data in and out of an oracle.xdb.XMLType

    I need to be able to put unicode text into an oracle.xdb.XMLType and
    then get it back out. I'm so close but it's still not quite working.
    Here's what I'm doing...
    // create a string with one unicode character (horizontalelipsis)
    String xmlString = new String(
    "<?xml version=\"1.0\" encoding=\"UTF-8\"?>\n" +
    "<utf8>\n" +
    " <he val=\"8230\">\u2026</he>\n" +
    "</utf8>\n");
    // this is an oci8 connection
    Connection conn = getconnection();
    // this works with no exceptions
    XMLType xmlType = XMLType.createXML(conn, xmlString);
    // this is the problem here - BLOB b does not contain all the bytes
    // from xmlType. It seems to be short 2 bytes.
    BLOB b = xmlType.getBlobVal(871);
    String xmlTypeString = new String(b.getBytes(1L, (int) b.length()), "UTF-8");
    PrintStream out = new PrintStream(System.out, true, "UTF-8");
    out.print(xmlTypeString);
    out.close();
    What I get from this is this...
    <?xml version="1.0" encoding="UTF-8"?>
    <utf8>
    <he val="8230">[utf-8 bytes]</he>
    </utf8
    In the above, [utf-8 bytes] represents the correctly encoded UTF-8 bytes that
    were returned. But the output is missing the final closing bracket and the
    newline at the end. It seems that no matter what second argument I give b.getBytes(),
    it always returns the above. Even
    It seems that this code...
    BLOB b = xmlType.getBlobVal(871);
    always returns a BLOB that contains a few bytes short of what it should contain.
    What am I doint wrong? I'm sure I'm missing something here.
    Thanks much for your help.
    Here's info about the environment I'm working in.
    ============================ SYSTEM INFORMATION ============================
    SQL*Plus: Release 11.1.0.7.0 - Production on Fri May 15 11:54:34 2009
    select * from nls_database_parameters
    where parameter='NLS_CHARACTERSET'
    returns...
    WE8ISO8859P1
    select * from nls_database_parameters
    where parameter='NLS_NCHAR_CHARACTERSET'
    returns...
    AL16UTF16
    The operating system I'm working with is...
    SunOS hostname 5.10 Generic_120011-14 sun4u sparc SUNW,Netra-T12

    WE8ISO8859P1 does not support the ellipsis character. It is a WE8MSWIN1252 character. I wonder if your problem may have something to do with internal conversion to/from XML character reference (&#x2026). Unfortunately, I have no time to test. Please, try to use a simple loop and System.out.print to print all bytes of the return value of b.getBytes(1L, (int) b.length()). Also, check the value of b.length().
    -- Sergiusz

  • Problem while trying to get meta data from entity in CRM 2011 using java

    Hi,
    I have been trying to get the meta data from entity. Below is the code what i have tried.                                 
    EntityFilters entfilter = new EntityFilters();
    EntityFilters_type0 eftypes [] = new EntityFilters_type0[]{EntityFilters_type0.Attributes};
    entfilter.setEntityFilters_type0(eftypes);
    EntityFiltersE entityFiltersE = new EntityFiltersE();
    entityFiltersE.setEntityFilters(entfilter);
    Boolean RAIP = new Boolean(true);
    OrganizationServiceStub.ParameterCollection parameterCollection = new OrganizationServiceStub.ParameterCollection();
    OrganizationServiceStub.KeyValuePairOfstringanyType entityFilters = new OrganizationServiceStub.KeyValuePairOfstringanyType();
    entityFilters.setKey("EntityFilters");
    entityFilters.setValue(entityFiltersE);
    OrganizationServiceStub.KeyValuePairOfstringanyType retAsIfPublished = new OrganizationServiceStub.KeyValuePairOfstringanyType();
    retAsIfPublished.setKey("RetrieveAsIfPublished");
    retAsIfPublished.setValue(RAIP);
    parameterCollection.addKeyValuePairOfstringanyType(entityFilters);
    parameterCollection.addKeyValuePairOfstringanyType(retAsIfPublished);
    OrganizationServiceStub.OrganizationRequest request=new OrganizationServiceStub.OrganizationRequest();
                request.setRequestName("RetrieveAllEntities");
                request.setParameters(parameterCollection);
                OrganizationServiceStub.Execute org_execute = new OrganizationServiceStub.Execute();
                org_execute.setRequest(request);
    ExecuteResponse resp  =  serviceStub.execute(org_execute);
    And getting the below error.
    [ERROR] The formatter threw an exception while trying to deserialize the message: There was an error while trying to deserialize parameter
    http://schemas.microsoft.com/xrm/2011/Contracts/Services:request. The InnerException
    message was 'Element value from namespace http://schemas.datacontract.org/2004/07/System.Collections.Generic cannot have child contents to be deserialized as an object. Please use XmlNode[] to deserialize this pattern of XML.'.  Please see
    InnerException for more details.
    Please help me if any one have an idea on this error.
    Thanks in advance.

    Hi
    Did you get this resolved ?

  • Get the run date and pages to appear at the top of a BI Answers report

    Hi,
    I'm trying to get the page number to appear at the bottom of each page.
    It should say eg. Page 2 of 10 pages'.
    I'm also trying to get the run date to appear at the top of each page.
    Thanks,
    Sally

    You can't get "page x of y" out of the box, but you can enable "Footers" and use the Page # variable to display the pages. To get the total number of records, you can use this method:
    http://oraclebizint.wordpress.com/2008/01/23/oracle-bi-ee-101332-total-number-of-rows-and-pagination/
    The other thing you can do is use pagination for pivot tables. See this link:
    http://oraclebizint.wordpress.com/2008/01/17/oracle-bi-101332-pagination-in-pivot-tables/
    And of course, displaying the run date and time is built in as a variable in the Header (of Header and Footer), which will appear on every page (unlike the Title View the previous poster pointed out, which will only appear on the first page). There you go.

  • Get previous bill date using SQL

    Hi,
    I am table which holds records for bill generation. I have column name gene_bill_date which is date field and it holds a value the date on which the particular bill was generated.
    Now I am trying to get previous bill date, not the current bill date. I can to Max(gene_bill_date) to get current bill date, but how do I get previous bill date?
    thanks

    Hi,
    Sorry, it's unclear what you're asking.
    You didn't post any sample data, so I'll use the scott.emp table to illustrate. Let's say we're interested in deptno=30 only, just to reduce the output from 14 rows to 6.
    If, for every row, you need to know the most recent gene_bill_date before the one on that row, you can do something like this:
    SELECT     ename
    ,     hiredate
    ,     LAG (hiredate) OVER (ORDER BY hiredate)     AS prev_hiredate
    FROM     scott.emp
    WHERE     deptno     = 30
    ;Output:
    ENAME      HIREDATE    PREV_HIREDA
    ALLEN      20-Feb-1981
    WARD       22-Feb-1981 20-Feb-1981
    BLAKE      01-May-1981 22-Feb-1981
    TURNER     08-Sep-1981 01-May-1981
    MARTIN     28-Sep-1981 08-Sep-1981
    JAMES      03-Dec-1981 28-Sep-1981Are you only interested in the 2 most recent dates in the whole result set?
    If so, do a Top-N Query , like this:
    WITH     got_r_num     AS
         SELECT     ename
         ,     hiredate
         ,     RANK () OVER (ORDER BY hiredate  DESC)     AS r_num
         FROM     scott.emp
         WHERE     deptno     = 30
    SELECT     *
    FROM     got_r_num
    WHERE     r_num     <= 2
    ;Output:
    ENAME      HIREDATE         R_NUM
    JAMES      03-Dec-1981          1
    MARTIN     28-Sep-1981          2 
    I hope this answers your question.
    If not, post a little sample data (CREATE TABLE and INSERT statements, relevant columns only), and also post the results you want from that data.
    Explain, using specific examples, how you get those results from that data.
    Always say which version of Oracle you're using.

  • Getting the latest dates

    Hello,
    I have simple question ....i dont know why i m brain dead today...
    I m trying to get the latest date for the each id
    with test_data as(
    select '001'id, 'xyz'name, '1/1/2009'start_date from dual union all
    select '001',  'abc', '1/2/2099' from dual union all
    select '001',  'def', '1/3/2009' from dual union all
    select '001',  'ghi', '1/4/2009' from dual union all
    select '001',  'jkl', '1/5/2009' from dual
    The output i m looking for just one record with latest date
      with result as
         select '001',  'jkl', '1/5/2009' from dual 
    i tried this
    select id,name, greatest(start_date) from test_data
      group by id,name,start_date
    It gives me output ...which i m not lookg for
      with t as
         select '001',  'abc', '1/3/2009' from dual union all
         select '001',  'ghi', '1/4/2009' from dual union all
         select '001',  'jkl', '1/5/2009' from dual
       )select * from t
       I was wondering if we have any function's in oracle PL/SQL to do these kind of stuff's
    Any suggestions is greatly appriciated!! Thank you sio much!!
    Edited by: user642297 on Mar 12, 2010 12:21 PM

    SQL> with test_data as(
      2  select '001'id, 'xyz'name, '1/1/2009'start_date from dual union all
      3  select '001',  'abc', '1/2/2099' from dual union all
      4  select '001',  'def', '1/3/2009' from dual union all
      5  select '001',  'ghi', '1/4/2009' from dual union all
      6  select '001',  'jkl', '1/5/2009' from dual union all
      7  select '002',  'ghi', '1/4/2009' from dual
      8  )
      9  select id, max(start_date), max(name) keep (dense_rank first order by start_date desc)
    10  from test_data
    11  group by id;
    ID  MAX(STAR MAX
    001 1/5/2009 jkl
    002 1/4/2009 ghiMax
    http://oracleitalia.wordpress.com

  • GregorianCalendar - getting the current date

    Hi,
    Have any of the Calendar classes been changed in version 1.5. I'm trying to get the current date and time in an application, to add to filenames when they are backed up. In java 1.4 the following code was sufficient to get the information required:
    GregorianCalendar cal = new GregorianCalendar();
    filename = "C:\\Program Files\\Apache Group\\Apache2\\www\\test\\htdocs\\backups\\";
    filename += theFile;
    filename += "=" + getUser() + "=" + cal.get( Calendar.HOUR_OF_DAY ) + "_" +
         cal.get( Calendar.MINUTE ) + "=" + cal.get( Calendar.DAY_OF_MONTH ) + "_" +
         ( cal.get( Calendar.MONTH ) + 1 ) + "_" + cal.get( Calendar.YEAR );
    I'm writing another app using the same code and SDK 1.5, but it's returning the same values every time.
    Cheers
    Matt

    I wrote a small program to test the Calendar object on my system:
    import java.util.*;
    import java.awt.event.*;
    import java.awt.*;
    public class Tester extends Frame implements ActionListener
         public Tester()
              javax.swing.Timer timer = new javax.swing.Timer( 1000, this );
              timer.start();
              setSize( 400, 400 );
              show();
              addWindowListener(
                   new WindowAdapter()
                        public void windowClosing( WindowEvent e )
                             System.exit( 0 );
         public void actionPerformed( ActionEvent e )
              Calendar cal = new GregorianCalendar();
              System.out.println( "Time: " + cal.HOUR + ":" + cal.MINUTE + ":" + cal.SECOND );
         public static void main( String args[] )
              Tester t = new Tester();
    This repeatedly outputs:
    10:12:13
    I tried this with Calendar and GregorianCalendar. Both of them do not seem to work. I'm not using the same Calendar object, or outputing in the same second....

  • Getting Exception while trying to get Connection

    Getting Exception while trying to get Connection from Data Source in ejbCreate() for the First time when ejbCreate() is called.
    Thanks in Advance

    Hello Mallidi,
    And the exception is ?
    Cheers, Tsvetomir

  • I cannot get the cellular data account on my ipad.  I have gotten it in the past

    I Have an ipad . I'm trying to get my cellular data turned on and all I get is an error 500-- internal server error; the server encountered an unexpected condition which prevented it from fulfilling the request.  I have no internet service, but I do have wiFi. I have powered down.
    WHen I go to settings>cellular data> view my account I get the error code

    Hi,
    It might also help if you told us what you are doing to try and login which you think is right.
    One definition of crazy is repeating the same actions overs and over expecting different results.
    You could have an iPad that uses a SIM card as well as WiFi.
    You may not then get an alert about not being able to contact the servers.
    You may be doing all the right actions but have a poor and bad internet connection.
    Although it is unlikely the place you are at may be blocking the port Messages uses.
    More possible but also unlikely is that they (it is always "they") are blocking access to the servers by name. (Domain Blocking).
    9:37 pm      Saturday; January 11, 2014
      iMac 2.5Ghz 5i 2011 (Mavericks 10.9)
     G4/1GhzDual MDD (Leopard 10.5.8)
     MacBookPro 2Gb (Snow Leopard 10.6.8)
     Mac OS X (10.6.8),
     Couple of iPhones and an iPad

  • Cisco UCCX 10.6 Get XML Document Data XPath count() function

    Hi
    I'd like to retrieve the number of XML nodes in a document to make a script more efficient.
    e.g. with this XML, I'd like to know how many <message> nodes there are:
    <messages>
    <message>contentA</message>
    <message>contentA</message>
    <message>contentA</message>
    </messages>
    I've tried iNodeCount = Get XML Document Data (inputXMLfile, "count(//messages/message)")
    If I try this in an XPath expression tester then I get the result I'm expecting - an integer of 3. However, in UCCX this produces the error "Can not convert #NUMBER to a NodeList!"... What am I doing wrong?
    Thanks

    Hi, 
    you may want to use a Set or a Do step to execute Java code. 
    First, reference the XML file (within the repository) by calling DOC[myFile.xml] and of course, assigning this value to a Document type variable, e.g.: 
    Set myDocument = DOC[myFile.xml]
    Then add a Do step that actually does the XPath part of the job. 
    There's a nice step by step explanation of it here: http://viralpatel.net/blogs/java-xml-xpath-tutorial-parse-xml/
    Remember, you can get the Inputstream object of the myDocument variable using the getInputStream() method on it.
    G.

  • My iPhone 4S will not connect to the internet properly. It says that it is connected, the App Store won't load apps and I can't get on my face book app. I have tried wifi and my cellular data, neither work. What are some ways to fix this?

    My iPhone will
    not connect to the internet properly. It says that it is connected, the App Store won't load apps and I can't get on my face book app. I have tried wifi and my cellular data, neither work. What are some ways to fix this?

    Try resetting your network settings.
    Settings>Genenal>Reset>Reset Network Settings.

  • I have invested over 6 hours on the phone and with my Verizon Authorized Rep. trying to get the Bonus 1 Gig of Data for myself on the More Plus Plan.  Cut and dry situation but today was told I have to wait about 7 days until they can get me "an answer" o

    Basic question is why are any of the minimun 8 Verizon reps that I or my Authorized Verizon Rep (at Costco) spoke with unable to resolve a very simple, straightforward issue that should have been resolved in 15 minutes max.  Instead I (a 14 year verizon customer) have been given the runaround and have invested over 6 1/2 hours in trying to get someone to acknowledge that I an owed 1 GB of Bonus Data on my new phone on our new plan.  My wife got hers.  I am just venting now as I intend on returning the phone tomorrow (I got it Thursday) and turning around and getting an identical new phone.  This was suggested to me as an option by both the Rep who sold my wife her phone and the rep who sold me mine as that way I would not have to contiinue dealing with this ridiculous state of affairs (they indicated that my Free gig request was being sent to another department and that it would be about 7 days befor they get an answer).   Just Venting  .  Thanks

    No I was considerate, etc.  The root of the problem stems from the fact that when I went to get my new phone I asked the salesperson if I should sign up for the new plan or if my wife should do it the following day when she buys her new phone (also at a Costco but in a different state).  The salesperson said it made absolutely no difference so I elected to have my wife do it.  When she did the next day she got her free Gig and her salesperson told her that I need to call in to make sure I get the gig that I am entitled to as well.  That's when the runaround started with the first call  consisting of me basically advising Verizon of what the promotion consists of, etc.since they insisted that it was one gig per Plan, that there were no exceptions to this, etc.  As mentioned they wanted to know where I got the information that it was one gig per qualifying phone. (Both the rep and her supervisor obviously were not aware of how Verizons heavily touted More Everything plan works). They told me finally that I needed to go back to the Costco where I got the phone.  I did.  The salesperson apologized numerous times to me for advising me that it made no difference who signs up for the plan or when.  She then spent over two hours on the phone (with me next to her) attempting to explain to Verizon what happened, how it was her fault, and how I was clearly entitled to the Bonus Gig since I also had a qualifying phone.  Finally she was transferred to someone who authorized the Bonus Gig (since I was clearly entitled to it) and who indicated that it might take 24 hours to show up on my new Plan.  72 hours later, no change, and the runaround continues some more.  The only reason I even came to this forum was to let off some steam since no one could give me an answer..  It's clear that I am entitled to the Bonus Gig yet the last supervisor I spoke with told me that he could only pass the request on to another department via e-mail (no direct contact, etc. even though I gave him the name and employee # of the Verizon rep who indicated the Bonus was approved) and that an answer should be forthcoming in about 7 days.  I was very cordial with everyone I spoke with as I understand that they take their direction from the top.  The countless hours I have spent dealing with this situation is something that no-one should have to go through, particularily someone who has been a Verizon Plan customer since about year 2000.  Everyone seems to agree that I am entitled to the free gig but no one seems to be in a position to help this customer.  Its a horrible way to treat someone.  I talked with the original saleslady today and told her I would be in tomorrow to turn in the phone and get a new one along with the gig I was entitled to.  She said that would be fine and wouldn't be a problem but that she would be happy to try calling Verizon once again to try to resolve the issue.  I indicated that I'm done with wasting time taliking with well-meaning and courteous (and I assume underpaid) employees who I assume are pretty much directed from above that any concessions they make, even if the customer is entitled to them, will reflect badly on their employee evaluations .  Good thing I am retired or I would really be worked up.  They only way I would consider even talking to Verizon anymore on this is if they were to waive  the $60 in upgrade fees my wife and I paid for the new phones.  I hope this explains the situation to your satisfaction.  Thanks.

  • I have a problem with my iPhone 4s.  An Apple rep looked at the phone today and determined the phone will have to be replaced.  I am trying to back up my data on the phone to iTunes but I cannot get the phone to power up.

    I have a problem with my iPhone 4s.  An Apple rep looked at the phone tonight and determined I will need a new phone.  I am now trying to back up my data to iTunes but I cannot get the phone to turn on.  I have it plugged into my computer monitor but it just slowly flashes the Apple symbol. Any ideas on how I can get it to power up for the backup?

    Apple isnt here. this is a user based forum for technical questions. The solution is to restart, reset, and restore as new which is in the manual after that get it replaced for hard ware failure. if your within your one year warranty its replaced if it is out of the warranty then it is 199$

Maybe you are looking for

  • Transactional access to Communications and System ID

    Hello Experts, Can the communications Id execute transactions in SAP other than performing RFC execution? Is it a suggested solution to let these non-dialog id's have transactional access from Audit perspective? Appreciate your inputs. Regards, Sande

  • My ipod gives me the message " Use Itunes to restore " What do i do?

    I gave it to someone for servicing, not only did he not do the job but now it comes back with this message " Use Itunes to restore "

  • Table for pegged requrements

    HI All, For the given Purchase Req  item , where  ( in which table ) the pegged requirements get stored . I  want to know  pegged requirement with the input of Purchase Req number. Thanks in advance venga

  • How can I do two dimensional arrays?

    I am a C++ programmer and in C++ I am able make a two dimensional array and input the values that correspond to those cells. After I saw the proposals that you (experts) made I am going to share a little of the classified information that I was worki

  • ABAP code tuning in BW extractor

    Hi All, I am enhancing a purchasing BW extractor to get Pricing details for a PO and its Item  . The  ABAP code in the user exit is similar to this: select SINGLE knumh from A016 INTO T_KNUMH1   WHERE EVRTN = EKPO-KONNR   AND EVRTP = EKPO-KTPNR   AND