IPhone sending user information to...?

Hello all,
I love my iPhone, but lately I have been haunted by the static interferences with it and my table-top speakers. However, that isn't the primary concern for now - I am concerned as to why the iPhone seems to be sending my information (without permission) out to service-provider/Apple/Government?
Many of us have noticed a string of static when a call, or data packets, is/are about to come (on almost any make/model of cellphones), or when we make a call etc. Considering that the phone conversation(s) require sending signals back and forth between the parties communicating, it makes sense for the speakers to have static. However, when a simple alarm goes off on the cellphone, that doesn't require any network's attention and/or talking to another cellphone user, what reason is there for the static to appear? What information is being sent when a simple alarm goes off, or even when I turn the phone on or off? Where is this information going to?
I have been noticing that since I got the iPhone, anytime I do almost anything with it, the static appears. It is as if all the "moves" are being recorded somewhere... Has anyone else noticed this? If you haven't, please do try it out...
I have nothing top secret going on in my life, but it feels weird to go through this...
PS: The static goes away when the phone is in Airplane mode

Whenever you use the Stocks or Weather app, a logging post is made to an Apple server:
[Read updated article on data logging|http://blogs.zdnet.com/Apple/?p=1041]
At first, it was feared that the phone IMEI id was being sent as well. Just knowing that someone important was checking a certain stock could be valuable information. Turns out not to be the case, although of course it's not necessary to embed the IMEI since they could, in theory, simply cross-check the request IP with the currently assigned carrier IP of your phone and id you that way.
But no need for conspiracy theories. Almost always any "spying" like this is simply something an engineer left in, possibly without managerial knowledge, to help with debugging and so forth.
In short, Nathan's explanation stands.
On the other hand, it's a good bet that governments sometimes use tower location logging to check on what other persons' phones come near, say, a terrorist or drug dealer's phone.
When I was with NSA back before its existence was revealed, we were forbidden to monitor U.S. citizens. In today's Patriot Act atmosphere, that's no longer true.

Similar Messages

  • JSP and Sending User-entered information to MySQL Database

    I am trying to send user information to my database that I created in MySQL. I made a DB java class, which basically handles my connection to the database, which I know works since I also use it to log into my site.
    The problem is after I have entered my information that I want to add to one of my database tables, the site runs through, but never actually adds it to the database. It is probably my coding, but I'm not too sure.
    Also, I want to display the information from my database on my site. I'm new at this so any information on how to do that would be great.
    DB class
    * DB.java
    * Created on November 7, 2007
    package guildbank;
    import  java.sql.*;
    * @author citibob and alice
    public class DB {
        public static final String url   = "jdbc:mysql://localhost/krichbank";
    public static Connection
    getDB()
    throws SQLException
        try {
            Class.forName  ("com.mysql.jdbc.Driver");
            System.out.println(" Loading the DB driver. ");
        } catch(Exception e) {
            e.printStackTrace(System.out);
            System.exit(-1);
        Connection con = DriverManager.getConnection( url, "katherine", "katherine");
        return con;
    public static void
    close(Connection con)
        try {
            con.close();
        } catch(Exception e) {}
    public static String
    getUserName(Connection con, Integer UserID)
        if (UserID == null) return "<null>";
        int userid = UserID.intValue();
            System.err.println(""+userid);
        PreparedStatement st = null;
        String ret = null;
        try {
            st = con.prepareStatement(
                " select name from users where userid = ?");
            st.setInt(1, userid);
            ResultSet rs = st.executeQuery();
            if (!rs.next()) ret = null;
            ret = rs.getString("name");
        } catch(SQLException e) {
        } finally {
            try { st.close(); } catch(SQLException e) {}
        return ret;
    }Additem code
    <%--
        Document   : addItem
        Created on : Dec 12, 2007, 6:41:38 AM
        Author     : Katherine
    --%>
    <%@ page import= "javax.servlet.http.*" %>
    <%@ page import= "javax.servlet.*" %>
    <%@ page import= "guildbank.*" %>
    <%@ page import= "java.sql.*" %>
    <!DOCTYPE HTML PUBLIC "-//W3C//DTD HTML 4.01 Transitional//EN"
       "http://www.w3.org/TR/html4/loose.dtd">
    <html>
        <head>
            <meta http-equiv="Content-Type" content="text/html; charset=windows-1252">
            <title>Item Addition</title>
        </head>
            <body>
            <%
            Connection con = null;
            try {
                con = DB.getDB();
                PreparedStatement st = con.prepareStatement(
                    "INSERT INTO items (i_type, i_name, i_quantity) values(\" + request.getParameter(\"itemType\") + \",\" + request.getParameter(\"itemName\"))");
                ResultSet rs = st.executeQuery();
            } catch (Exception e) { }
        finally { %>
            Item Added! Yay!       
            [<a href="login.jsp">Log in</a>]
       <% }
            %>
        </body>
    </html>
    {code}                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                           

    3: You are catching and ignoring any exceptions from running the SQL.
    4: You are constructing a SQL string rather than using a prepared statement properly.
    5: Your sql mentions three columns: type, name, quantity. You only supply type and name in the values section.
    try {
                con = DB.getDB();
                // using prepared statement properly with ? instead of creating string values.
                PreparedStatement st = con.prepareStatement("INSERT INTO items (i_type, i_name, i_quantity) values(?,?,?)");
                // what happens if these parameters are not present?
                String itemType = request.getParameter("itemType");
                String itemName = request.getParameter("itemName");
                st.setString(1, itemType);
                st.setString(2, itemName);
                st.setString(3, ?????????);
                st.execute();
    catch (Exception e) {
      // Log or handle the exception
      // this basic code write it to standard error
      // should appear in the console, or in a log file somewhere
      // helps a LOT when figuring out what is wrong
      System.err.println("Error occurred " + e.getMessage());
      e.printStackTrace();
    }Cheers,
    evnafets

  • Hi there. I'm an iphone 4s user and i am unable to send text messages. Any time i try, I get the message "message send failure" can anybody help?

    Hi there. I'm an iphone 4s user and i am unable to send text messages. Any time i try, I get the message "message send failure" can anybody help?

    try contacting your carrier and see if they can resolve the issue.

  • Mavericks Mail won't send login information to IMAP server

    I am having a problem with Mavericks Mail not connecting to the Dovecot IMAP server.  There appears to be many posts about similar problems, but none have the exact symptom I’m seeing.
    Mail appears to not provide login information to any of my IMAP accounts.  The iPad, iPhone, and Thunderbird on the same Mac all work with the same credentials.  Just Apple Mail on the Mac fails.  It fails for all user accounts on the same Mac.  This has been a problem for a long time.
    Connection doctor seems to indicate Mail is not sending login information.  In fact, connection doctor shows the only thing working is the smtp server that doesn’t require a login.  Everything else fails.
    I’ve rebooted the Mac and the mail server.
    I’ve repaired disk permissions.
    I’ve recreated the account.
    I’ve create a brand new account.
    I’ve removed cache files.
    I’ve re-indexed mail files.
    Nothing works. 
    Here is the relevant connection doctor log:
    INITIATING CONNECTION Jul 24 19:59:13.847 host:**********.*****.*** -- port:993 -- socket:0x0 -- thread:0x608000868640
    CONNECTED Jul 24 19:59:13.939 [kCFStreamSocketSecurityLevelTLSv1_0] -- host:**********.*****.*** -- port:993 -- socket:0x6000002d97c0 -- thread:0x608000868640
    READ Jul 24 19:59:13.939 [kCFStreamSocketSecurityLevelTLSv1_0] -- host:**********.*****.*** -- port:993 -- socket:0x6000002d97c0 -- thread:0x608000868640
    * OK Dovecot ready.
    WROTE Jul 24 19:59:13.939 [kCFStreamSocketSecurityLevelTLSv1_0] -- host:**********.*****.*** -- port:993 -- socket:0x6000002d97c0 -- thread:0x6080002687c0
    1.20 CAPABILITY
    READ Jul 24 19:59:13.940 [kCFStreamSocketSecurityLevelTLSv1_0] -- host:**********.*****.*** -- port:993 -- socket:0x6000002d97c0 -- thread:0x6080002687c0
    * CAPABILITY IMAP4rev1 SASL-IR SORT THREAD=REFERENCES MULTIAPPEND UNSELECT LITERAL+ IDLE CHILDREN NAMESPACE LOGIN-REFERRALS UIDPLUS LIST-EXTENDED I18NLEVEL=1 AUTH=PLAIN
    1.20 OK Capability completed.
    WROTE Jul 24 19:59:13.944 [kCFStreamSocketSecurityLevelTLSv1_0] -- host:**********.*****.*** -- port:993 -- socket:0x6000002d97c0 -- thread:0x60800046e080
    2.20 AUTHENTICATE PLAIN
    And the relevant Dovecot log entries:
    dovecot: Jul 24 19:59:13 Info: auth(default): client in: AUTH 1 PLAIN service=imap secured lip=***.***.***.*** rip=***.***.***.*** lport=993 rport=60869
    dovecot: Jul 24 19:59:13 Info: auth(default): client out: CONT 1
    dovecot: Jul 24 19:59:13 Info: imap-login: Disconnected (auth failed, 1 attempts): method=PLAIN, rip=***.***.***.***, lip=***.***.***.***, TLS
    I believe the “WROTE” log line in Mail cooresponds to the “client in” line in Dovecot.  The next line is a continuation going back to Mail.  But, Mail never seems to read or process it.  When Dovecot gets a successful login from Thunderbird, the login credentials were displayed in the log with another “client in” line.
    Here is what I am using:
    OS X 10.9.4
    Mail version Version 7.3 (1878.6)
    Dovecot version 1.1.7
    Where do I go from here?  Has anyone seen this symptom before?  How do I get Mail to send credentials to an IMAP server?
    Thanks from a first time poster !

    Try MD5 as the authentication method.

  • Getting Logged on User'Information in an Oracle-Form SSO Partner Application

    Hi.
    I could run Flight-of Fancy Application and capture user's information by calling the
    "Parse_cookie " Procedure.(use the Scenario 2 - Access the Portal and then the FOF App)
    and defined an Oracle-Form application as Partner application like FOF.
    I want to have Logged on user'Information in the "Oracle-Form" . But the Fucntion owa_cookie.get dosen't work correctly.please let me know what can I do ?
    Thanks in advanced.

    Hi.
    I could run Flight-of Fancy Application and capture user's information by calling the
    "Parse_cookie " Procedure.(use the Scenario 2 - Access the Portal and then the FOF App)
    and defined an Oracle-Form application as Partner application like FOF.
    I want to have Logged on user'Information in the "Oracle-Form" . But the Fucntion owa_cookie.get dosen't work correctly.please let me know what can I do ?
    Thanks in advanced. If you're writing your own partner application, then you are correct to get the user information from the output variables
    from the parse_url_cookie procedure. You should then set the information you want to keep track of in the cookie, or combination
    of cookie and persistent storage in the database. Take care of the security implications while doing this.
    On subsequent calls to your application, the user info should be obtained from the cookie and the database, if you
    are using a combination of the cookie and database storage to keep your info.
    The owa_cookie.get routine is used to read the cookie, which is generated with owa_cookie.send.
    These routines work fine, when invoked correctly.
    If you are having trouble with them, you're probably not using the calls properly.
    The following code provides an example of how to use the owa_cookie calls...
    create or replace package testcookie
    is
        procedure show (p_name IN VARCHAR2);
        procedure send
            p_name    IN VARCHAR2,
            p_value   IN VARCHAR2,
            p_path    IN VARCHAR2 default null,
            p_expires IN VARCHAR2 default null
    end testcookie;
    show error package testcookie
    create or replace package body testcookie is
        procedure show (p_name IN VARCHAR2) is
            v_cookie owa_cookie.cookie;
        begin
            v_cookie := owa_cookie.get(upper(p_name));
            htp.htmlopen;
            htp.bodyopen;
            htp.print(v_cookie.vals(1));
            htp.bodyclose;
            htp.htmlclose;
        exception
            when others then
                htp.htmlopen;
                htp.bodyopen;
                htp.print('NO COOKIE FOUND.');
                htp.print(SQLERRM);
                htp.bodyclose;
                htp.htmlclose;
        end;
        procedure send
            p_name    IN VARCHAR2,
            p_value   IN VARCHAR2,
            p_path    IN VARCHAR2 default null,
            p_expires IN VARCHAR2 default null
        is
            v_cookie owa_cookie.cookie;
            l_agent varchar2(30);
            l_expires varchar2(30);
            l_path varchar2(100);
        begin
            if p_expires is null then
                l_expires := null;
            else
               l_expires := to_date(p_expires, 'MMDDYYYY');
            end if;
            if p_path = 'ALL' then
                l_path := '/';
            else
                l_path := null;
            end if;
            owa_util.mime_header('text/html', FALSE);
            l_agent := owa_util.get_owa_service_path;
            l_agent := substr(l_agent, 1, length(l_agent) - 1 ) ;
            owa_cookie.send(
                name    => upper(p_name),
                value   => p_value,
                expires => l_expires,
                path    => l_path
            owa_util.http_header_close;
            htp.htmlopen;
            htp.headopen;
            htp.headclose;
            htp.bodyopen;
            htp.print ('Cookie set.');
            htp.bodyclose;
            htp.htmlclose;
        end;
    end testcookie;
    show error package body testcookie;
    grant execute on testcookie to public;If you load this into a schema which a DAD can access, then you can invoke the show and send procedures to view and
    generate cookies.
    To generate a cookie, issue the following from your browser ...
    http://server.domain.com/pls/dad/schema.testcookies.send?p_name=test&p_value=hello
    To view the cookie:
    http://server.domain.com/pls/dad/schema.testcookies.show?p_name=test

  • Send audit information to  mail acount using fined-grained auditing

    hi.
    i like to send audit information to particular mail account. but i have failed.
    is any one can help me. i have writtten step by step what i have done for my work. my mail server work properly.
    SQL> CONNECT SYS/PAS AS SYSDBA
    after that i have created a procedure called "FGA_NOTIFY" to send mail WHEN user used SELECT command on sal column in emp table other than SCOTT. Then i have added a policy that is given belllow.
    But The problem is now when sys user or any other user give command like
    sql> select sal from scott.emp;
    oracle server didnot send audit information mail to mail server. but
    if i execute procedure "FGA_NOTIFY" independently , procedure send mail.
    please help me. i have given procedure and
    policy code down.
    This is my policy
    BEGIN
    DBMS_FGA.add_policy(
    object_schema => 'SCOTT',
    object_name =>'EMP',
    policy_name => 'Example',
    audit_condition => 'ENAME != USER',
    audit_column => 'SAL',
    handler_schema => 'SYS',
    handler_module => 'FGA_NOTIFY');
    END;
    THIS IS MY PROCEDURE
    CREATE OR REPLACE PROCEDURE fga_notify (
         object_schema VARCHAR2,
         object_name VARCHAR2,
         policy_name VARCHAR2)
    AS
         l_messege VARCHAR2 (32767);
         l_mailhost VARCHAR2 (30) :='rmail';
         l_mail_conn UTL_SMTP.connection;
         l_from VARCHAR2 (30):= 'admin@rmail';
         l_to VARCHAR2 (30):= 'admin@rmail';
    BEGIN
    l_messege :=
         'User'||USER
         ||'successfully accessed'||Object_schema||'.'
         ||object_name||'at'
         ||TO_CHAR (SYSDATE, 'Month DD HH24 :MI:SS')
         ||'with this statement :"'
         ||SYS_CONTEXT ('userenv','currrent_sql')
         ||'"';
    l_mail_conn :=UTL_SMTP.open_connection (l_mailhost,
    25);
    UTL_SMTP.helo (l_mail_conn, l_mailhost);
    UTL_SMTP.mail (l_mail_conn, l_from);
    UTL_SMTP.rcpt (l_mail_conn,l_to);
    UTL_SMTP.DATA (l_mail_conn,
              UTL_TCP.crlf||'subject: FGA Alert'
              ||UTL_TCP.crlf
              ||'To:'
              ||l_to
              ||UTL_TCP.crlf
              ||l_messege);
    UTL_SMTP.quit (l_mail_conn);
    EXCEPTION
    WHEN OTHERS THEN
         UTL_SMTP.quit (l_mail_conn);
         raise_application_error     (-2000,'Failed due to the
    following                          error'||SQLERRM) ;
    END;
    Message was edited by:
    Md Ruhul Amin

    Alok brother, thank you for advice. About FGA concept i got from book. this PL/SQL code i got from that book. The book name is "Effective Oracle Database 10g Security by Design" and the writter name is "David Knox". if you send your e-mail address , i could send scan copy of this topic from this book.
    my e-mail address is <[email protected]>. i am waing for you reply

  • User Profile email address not updated on Site Collection User Information

    Hi All,
    Ok here we go....SharePoint 2007 with SSP profile sync not enabled, however I have a few profiles I need to update (email address).  This has been completed by editing the user profile in SSP, but when viewing the information via Site Collection >
    People & Groups > User Information "Work E-mail" is still showing the old one.
    All alerts are still being sent to the old email address, SSP DB UserProfile_Full shows the new email address as per SSP.
    Anyone know where else user profile emails are stored which is used by Exchange?
    Many Thanks, Roger

    As per the following post from GuYuming
    http://social.technet.microsoft.com/Forums/sharepoint/en-US/319d5b0e-336a-4815-9ee5-5d1685db867f/how-to-send-sharepoint-alerts-to-users-on-different-domain?forum=sharepointadminlegacy
    After the email address in SharePoint user profile is updated to [email protected], you have to wait until
    they are synchronized into the user information list in SharePoint site collections so that alert can be sent to that address. For detail, please read http://vspug.com/mirjam/2009/06/17/user-profiles-and-the-user-information-list-or-userinfo-table/ and http://blogs.technet.com/paulpaa/archive/2009/10/01/user-profile-information-not-updated-on-site-collection-s-people-and-group.aspx
    --Cheers

  • Get user information in shared queue

    Hi all,
    The case is:
    - My queue shared to some user (say A, B abd C)
    - After some task assign to me I would like to send the email to all user shared my queue too (i.e. A, B and C)
    Would like to know if there are any way to find the user information (login id, UID etc....), so I can find there email address?
    Thanks in advance.
    Regards
    Bill

    Hi,
    I am trying to send the email when the task assign to the user who own the shared queue, but after I research the event object, it seem that it is not the same as the event we use in the event driven programming... so I just give up and send the email BEFORE assign the task.
    After I look at the system db tables again and again, I come up with the following SQL, which the result look like what I want, feel free to try at your environment:
    select e.email
      from tb_shared_users_2_shared_queues sq, tb_queue q, edcprincipalentity e, edcprincipaluserentity eu
    where q.workflow_principal_id = eu.refprincipalid
       and eu.uidstring = ? // user login id go here
       and q.workflow_principal_id <> sq.shared_queues_id // ignore queue owner
       and q.id = sq.shared_users_id
       and sq.shared_queues_id = e.id
    I am still asking Adobe support for the official method to get the above information, because I think the system tables may change in system update, so... use at your own risk.
    Wish it help.
    Regards
    Bill

  • Need help saving user information

    I was just asked to start looking into how we will save user information from a Flex application.  We will need to store information for each user such as the following:
    1) sort settings for all objects for grids.
    2) which page/window user was in.
    3) possilbe field data that user last entered (instead of starting over).
    I was just wondering if anybody had to do something similar and how they went about it.  I worry that this could be come pretty messy and was hoping someone figured out a logical approach to it.
    Thanks,
    Larry

    Then make a settings class , and create an instance during runtime if one doesn't exist in your db.  When a setting changes , record the change on your object and serialize it out to an AMF-capable backend.  There you shove the settings object into your db through an ORM layer.   When the user starts up the app again , send out their settings object and go from there.
    Sincerely ,
      Ubu

  • TVSU "an error occurred while gathering user information"

    I am getting this error on E20 4220CTO. I was told by tech support one/some of the windows files were bad and that was why it didn't run. I don't believe that response as everything else works just fine--except TVSU--and the tech gave me no idea which windows files might be bad. I am running version 4.03.0012. Is there any fix out there?? I do not manually update the registry.But I have run a registry cleaner and reinstalled latest verion of TVSU same problems. I also did a windows repair on NetFramework 4.0. I am running Win7-SP1 64-bit. I understand there is a beta Ver. 5 out for TVSU, if yes, where can I get it???? Or is there a different fix?  I have checked the mapping interface.xml file and my version of Windows appears correctly there. Any help would be appreciated.

    OS  was preinstalled Win 7-64 bit but I have updated monthly when MS issues new releases. Copy of log file below:
    [ThinkVantage System Update build: 2012-5-11 4.03.0012] 6/19/2012 8:08:14 PM
    Info 2012-06-19 , 08:08:15  at Tvsu.Environment.EnvironmentManager..ctor()  Message: Starting Environment Manager...
    Info 2012-06-19 , 08:08:15  at Tvsu.Nls.NlsResources..ctor()  Message: Starting the instance of NLS@Runtime
    Info 2012-06-19 , 08:08:15  at Tvsu.Nls.NlsResources..ctor()  Message: The active language is: EN The default language is: EN The OS language is: EN The language loaded type is: OS
    Info 2012-06-19 , 08:08:15  at Tvsu.Commonscheduler.SchedulerManager.Save()  Message: Scheduler Manager Starts...
    Info 2012-06-19 , 08:08:15  at Tvsu.Commonscheduler.SchedulerManager.Save()  Message: Obtaining information from the Enviroment Manager...
    Info 2012-06-19 , 08:08:15  at Tvsu.Commonscheduler.SchedulerManager.Save()  Message: Validating Starts...
    Info 2012-06-19 , 08:08:15  at Tvsu.Commonscheduler.SchedulerManager.Save()  Message: Validating Ends...
    Info 2012-06-19 , 08:08:15  at Tvsu.Commonscheduler.SchedulerManager.Save()  Message: Sending Values to the SchedulerParser...
    Info 2012-06-19 , 08:08:15  at Tvt.Commonscheduler.SchedulerParser.SetValues(String v_ScheduleMode, String v_ScheduleDayOfTheMonth, String v_ScheduleDayOfTheWeek, String v_ScheduleHour, String v_ScheduleMinute, String scheduleSecond, String v_NumMinutes, String v_wakeFromSuspendHibernate, String v_Pre, String v_PreParameters, String v_PreShow, String v_Post, String v_PostParameters, String v_PostShow, String v_Task, String v_TaskParameter, String v_TaskShow, String v_CPUPriority, String v_minDaysBetweenExecution, String v_lastRunTimeHigh, String v_lastRunTimeLow, String v_nextRunTimeHigh, String v_nextRunTimeLow, String v_preRunAsUser, String v_runAsUser, String v_postRunAsUser, String v_schedulerAbility, String v_schedulerPath)  Message: Scheduler Parser - Receiving Values from the SchedulerManager
    Info 2012-06-19 , 08:08:15  at Tvt.Commonscheduler.SchedulerParser.SetValues(String v_ScheduleMode, String v_ScheduleDayOfTheMonth, String v_ScheduleDayOfTheWeek, String v_ScheduleHour, String v_ScheduleMinute, String scheduleSecond, String v_NumMinutes, String v_wakeFromSuspendHibernate, String v_Pre, String v_PreParameters, String v_PreShow, String v_Post, String v_PostParameters, String v_PostShow, String v_Task, String v_TaskParameter, String v_TaskShow, String v_CPUPriority, String v_minDaysBetweenExecution, String v_lastRunTimeHigh, String v_lastRunTimeLow, String v_nextRunTimeHigh, String v_nextRunTimeLow, String v_preRunAsUser, String v_runAsUser, String v_postRunAsUser, String v_schedulerAbility, String v_schedulerPath)  Message: Scheduler Parser - Starting Validation Process!
    Info 2012-06-19 , 08:08:15  at Tvt.Commonscheduler.SchedulerParser.SetValues(String v_ScheduleMode, String v_ScheduleDayOfTheMonth, String v_ScheduleDayOfTheWeek, String v_ScheduleHour, String v_ScheduleMinute, String scheduleSecond, String v_NumMinutes, String v_wakeFromSuspendHibernate, String v_Pre, String v_PreParameters, String v_PreShow, String v_Post, String v_PostParameters, String v_PostShow, String v_Task, String v_TaskParameter, String v_TaskShow, String v_CPUPriority, String v_minDaysBetweenExecution, String v_lastRunTimeHigh, String v_lastRunTimeLow, String v_nextRunTimeHigh, String v_nextRunTimeLow, String v_preRunAsUser, String v_runAsUser, String v_postRunAsUser, String v_schedulerAbility, String v_schedulerPath)  Message: Scheduler Parser - All validations have been processed!
    Info 2012-06-19 , 08:08:15  at Tvt.Commonscheduler.SchedulerParser.SetValues(String v_ScheduleMode, String v_ScheduleDayOfTheMonth, String v_ScheduleDayOfTheWeek, String v_ScheduleHour, String v_ScheduleMinute, String scheduleSecond, String v_NumMinutes, String v_wakeFromSuspendHibernate, String v_Pre, String v_PreParameters, String v_PreShow, String v_Post, String v_PostParameters, String v_PostShow, String v_Task, String v_TaskParameter, String v_TaskShow, String v_CPUPriority, String v_minDaysBetweenExecution, String v_lastRunTimeHigh, String v_lastRunTimeLow, String v_nextRunTimeHigh, String v_nextRunTimeLow, String v_preRunAsUser, String v_runAsUser, String v_postRunAsUser, String v_schedulerAbility, String v_schedulerPath)  Message: Scheduler Parser - Writting to the registry...
    Info 2012-06-19 , 08:08:15  at Tvt.Commonscheduler.SchedulerParser.SetValues(String v_ScheduleMode, String v_ScheduleDayOfTheMonth, String v_ScheduleDayOfTheWeek, String v_ScheduleHour, String v_ScheduleMinute, String scheduleSecond, String v_NumMinutes, String v_wakeFromSuspendHibernate, String v_Pre, String v_PreParameters, String v_PreShow, String v_Post, String v_PostParameters, String v_PostShow, String v_Task, String v_TaskParameter, String v_TaskShow, String v_CPUPriority, String v_minDaysBetweenExecution, String v_lastRunTimeHigh, String v_lastRunTimeLow, String v_nextRunTimeHigh, String v_nextRunTimeLow, String v_preRunAsUser, String v_runAsUser, String v_postRunAsUser, String v_schedulerAbility, String v_schedulerPath)  Message: Scheduler Parser - All values were saved on the Registry!
    Info 2012-06-19 , 08:08:15  at Tvt.Commonscheduler.SchedulerParser.SetValues(String v_ScheduleMode, String v_ScheduleDayOfTheMonth, String v_ScheduleDayOfTheWeek, String v_ScheduleHour, String v_ScheduleMinute, String scheduleSecond, String v_NumMinutes, String v_wakeFromSuspendHibernate, String v_Pre, String v_PreParameters, String v_PreShow, String v_Post, String v_PostParameters, String v_PostShow, String v_Task, String v_TaskParameter, String v_TaskShow, String v_CPUPriority, String v_minDaysBetweenExecution, String v_lastRunTimeHigh, String v_lastRunTimeLow, String v_nextRunTimeHigh, String v_nextRunTimeLow, String v_preRunAsUser, String v_runAsUser, String v_postRunAsUser, String v_schedulerAbility, String v_schedulerPath)  Message: Scheduler Parser - Reloading Scheduler
    Info 2012-06-19 , 08:08:15  at Tvt.Commonscheduler.SchedulerParser.SetValues(String v_ScheduleMode, String v_ScheduleDayOfTheMonth, String v_ScheduleDayOfTheWeek, String v_ScheduleHour, String v_ScheduleMinute, String scheduleSecond, String v_NumMinutes, String v_wakeFromSuspendHibernate, String v_Pre, String v_PreParameters, String v_PreShow, String v_Post, String v_PostParameters, String v_PostShow, String v_Task, String v_TaskParameter, String v_TaskShow, String v_CPUPriority, String v_minDaysBetweenExecution, String v_lastRunTimeHigh, String v_lastRunTimeLow, String v_nextRunTimeHigh, String v_nextRunTimeLow, String v_preRunAsUser, String v_runAsUser, String v_postRunAsUser, String v_schedulerAbility, String v_schedulerPath)  Message: Scheduler Parser - The Scheduler was reloaded
    Info 2012-06-19 , 08:08:15  at Tvsu.Commonscheduler.SchedulerManager.Save()  Message: All values sent to SchedulerParser...
    Info 2012-06-19 , 08:08:15  at Tvsu.Commonscheduler.SchedulerManager.Save()  Message: Scheduler Manager ends...
    Severe 2012-06-19 , 08:08:15  at Tvsu.Sdk.SuSdk.StartApplication()  Message: Application runs with the framework: 2.0.50727.5456
    Info 2012-06-19 , 08:08:15  at Tvsu.Engine.DataBase.InitializeDataBase()  Message: Initializing the DataBase from file: updates.ser
    Info 2012-06-19 , 08:08:15  at Tvsu.Sdk.SuSdk.StartApplication()  Message: Starting the Application
    Warning 2012-06-19 , 08:08:15  at Tvsu.Gui.Util.Tools.get_SystemVendor()  Message: The vendor was resolved to THINK
    Info 2012-06-19 , 08:08:15  at Tvsu.Gui.GUIController.StartGUI(Boolean showsplash)  Message: Starting GUI...
    Info 2012-06-19 , 08:08:15  at Tvsu.Gui.GUIController.StartGUI(Boolean showsplash)  Message: MainFrame created successfully
    Info 2012-06-19 , 08:08:15  at Tvsu.Gui.GUIController.StartGUI(Boolean showsplash)  Message: GUI -- Welcome screen
    Info 2012-06-19 , 08:08:15  at Tvsu.Gui.GUIController.BackToMain()  Message: Setting Welcome screen...
    Info 2012-06-19 , 08:08:15  at Tvsu.Gui.MainFrame.SetScreen(String screen, EventHandler[] eh)  Message: Loading Welcome screen on Action pane.
    Info 2012-06-19 , 08:08:20  at Tvsu.Gui.GUIController.SearchUpdates(Object sender, EventArgs args)  Message: Starting the Search process...
    Info 2012-06-19 , 08:08:20  at Tvsu.Gui.MainFrame.SetScreen(String screen, EventHandler[] eh)  Message: Loading Search screen on Action pane.
    Info 2012-06-19 , 08:08:20  at Tvsu.Gui.Util.ProgressThread.InitSearch()  Message: GUI -- Reporting progress for the Search
    Info 2012-06-19 , 08:08:20  at Tvsu.Sdk.SuSdk.GetSystemProperties()  Message: Get the System Properties
    Info 2012-06-19 , 08:08:20  at Tvsu.Engine.Task.Task.StartExecution()  Message: PreTask
    Info 2012-06-19 , 08:08:20  at Tvsu.Engine.Task.Task.StartExecution()  Message: Start
    Info 2012-06-19 , 08:08:20  at Tvsu.Engine.Task.Task.Start()  Message: Starting the task
    Info 2012-06-19 , 08:08:20  at Tvsu.Engine.Task.Task.Start()  Message: The current process is:HelloProcess
    Info 2012-06-19 , 08:08:20  at Tvsu.Engine.Task.Task.Start()  Message: Executing the PreProcess HelloProcess
    Info 2012-06-19 , 08:08:20  at Tvsu.Engine.Task.Task.Start()  Message: Executing the StartProcess HelloProcess
    Info 2012-06-19 , 08:08:20  at Tvsu.Engine.Process.HelloProcess.DownloadHelpFile()  Message: The chm help file is already present in the system
    Info 2012-06-19 , 08:08:20  at Tvsu.Engine.Process.HelloProcess.Start()  Message: The test.properties file was not found, the normal Hello process will continue.
    Info 2012-06-19 , 08:08:20  at Tvsu.Engine.Process.HelloProcess.Start()  Message: HelloProcess Started
    Info 2012-06-19 , 08:08:20  at Tvsu.Engine.Process.HelloProcess.Start()  Message: Client level: HelloLevel_8_11_00
    Info 2012-06-19 , 08:08:20  at Tvsu.Engine.Process.HelloProcess.DownloadUDF(String helloClientLevel)  Message: The UDF will be downloaded from: https://download.lenovo.com/ibmdl/pub/pc/pccbbs/agent/SSClientCommon/HelloLevel_8_11_00.xml
    Info 2012-06-19 , 08:08:20  at Tvsu.Engine.Process.HelloProcess.DownloadUDF(String helloClientLevel)  Message: The UDF will be downloaded to-> C:\Program Files (x86)\Lenovo\System Update\session\system\SSClientCommon\HelloLevel_8_11_00.xml
    Info 2012-06-19 , 08:08:20  at Tvsu.Gui.CustomComponents.Step.set_Image(StepImage value)  Message: Setting PROCESSING status.
    Info 2012-06-19 , 08:08:20  at Tvsu.ConnectionSettings.ConnectionSettings.GetConnectionForURL(String url)  Message: Creating a new Connection Settings Bean instance to Host: download.lenovo.com
    Info 2012-06-19 , 08:08:20  at Tvt.ConnectionSettings.ConnectionSettings.GetConnectionForURL(String url)  Message: Direct connection found
    Info 2012-06-19 , 08:08:20  at Tvsu.FileDownloader.HttpsDownload.SetCertificates()  Message: Setting certificates...
    Info 2012-06-19 , 08:08:20  at Tvsu.FileDownloader.HttpsDownload.GetProxy(ConnectionSettingsBean connBean)  Message: Connection type set to DIRECT in ConnectionSettingsBean
    Severe 2012-06-19 , 08:08:20  at Tvsu.FileDownloader.HttpsDownload.Init(FileDownloadInfo fileInfo)  Message: Debug Log: Init method:GET
    Severe 2012-06-19 , 08:08:21  at Tvsu.FileDownloader.HttpsDownload.doDownloadByHttps(FileDownloadInfo fileInfo, downloadingDelegate downDelegate)  Message: Debug Log: doDownloadByHttps InterException is null, uri:https://download.lenovo.com/ibmdl/pub/pc/pccbbs/agent/SSClientCommon/HelloLevel_8_11_00.xml
    Severe 2012-06-19 , 08:08:21  at Tvsu.FileDownloader.HttpsDownload.doDownloadByHttps(FileDownloadInfo fileInfo, downloadingDelegate downDelegate)  Message: Debug Log doDownloadByHttps webException message:The remote server returned an error: (404) Not Found.
    Severe 2012-06-19 , 08:08:21  at Tvsu.FileDownloader.HttpsDownload.doDownloadByHttps(FileDownloadInfo fileInfo, downloadingDelegate downDelegate)  Message: Debug Log server path: https://download.lenovo.com/ibmdl/pub/pc/pccbbs/agent/SSClientCommon/HelloLevel_8_11_00.xml responseStatus:404
    Severe 2012-06-19 , 08:08:21  at Tvsu.FileDownloader.HttpsDownload.doDownloadByHttps(FileDownloadInfo fileInfo, downloadingDelegate downDelegate)  Message: Debug Log server path: https://download.lenovo.com/ibmdl/pub/pc/pccbbs/agent/SSClientCommon/HelloLevel_8_11_00.xml webException.StackTrace:   at System.Net.HttpWebRequest.GetResponse()    at Tvsu.FileDownloader.HttpsDownload.doDownloadByHttps(FileDownloadInfo fileInfo, downloadingDelegate downDelegate)
    Info 2012-06-19 , 08:08:21  at Tvsu.Engine.Process.HelloProcess.Start()  Message: UDF download status is -> Failed
    Severe 2012-06-19 , 08:08:21  at Tvsu.Engine.Process.HelloProcess.Start()  Message: Could't connect to the HelloServer, no UDF file was downloaded
    Info 2012-06-19 , 08:08:21  at Tvsu.Egather.EgatherManager.GetEgatherParser(String type)  Message: Running egather minimal.....
    Info 2012-06-19 , 08:08:21  at Tvsu.Egather.EgatherExecutor.RunAsWindowsService(String directory, String command, String arguments)  Message:  /execute ia.exe /arguments -filename"""C:\Program Files (x86)\Lenovo\System Update\egather\sysrecomin""" -probes REGIONAL_SETTINGS GATHERER_INFORMATION SYSTEM_SUMMARY -local /directory C:\Program Files (x86)\Lenovo\System Update\egather\ /type COMMAND /timeout 300000
    Info 2012-06-19 , 08:08:21  at Tvsu.Egather.EgatherExecutor.RunAsWindowsService(String directory, String command, String arguments)  Message: FileName Path: C:\Program Files (x86)\Lenovo\System Update\TvsuCommandLauncher.exe
    Info 2012-06-19 , 08:08:22  at Tvsu.Egather.EgatherExecutor.ExecuteEgather(String fileOutput, String args)  Message: RC eGatherer: 0
    Info 2012-06-19 , 08:08:23  at Tvsu.Engine.Process.HelloProcess.Start()  Message: MTM received from eGather: 4220CTO
    Severe 2012-06-19 , 08:08:23  at Tvsu.Engine.Process.HelloProcess.Start()  Message: An error ocurred while using the MappingParser  Exception:   Message: Key cannot be null. Parameter name: key   Type: System.ArgumentNullException      at System.Collections.Hashtable.ContainsKey(Object key)    at System.Collections.Hashtable.Contains(Object key)    at Tvt.Mapping.Languages.get_Item(String tla)    at Tvsu.Engine.Process.HelloProcess.Start()
    Severe 2012-06-19 , 08:08:23  at Tvsu.Engine.Process.HelloProcess.Start()  Message: A value could not be mapped when using the MappingParser or eGather execution failed  Exception:   Message: Error getting MappingParser properties   Type: Tvsu.Engine.Process.MappingInterfaceException      at Tvsu.Engine.Process.HelloProcess.Start()
    Severe 2012-06-19 , 08:08:23  at Tvsu.Engine.Task.Task.StartExecution()  Message: An error occurred while the task: HelloTask executed the process: HelloProcessthe message from exception isA fatal error ocurred while in the HelloProcess  Exception:   Message: A fatal error ocurred while in the HelloProcess   Type: Tvsu.Engine.Process.HelloProcessException      at Tvsu.Engine.Task.Task.Start()    at Tvsu.Engine.Task.Task.StartExecution()
    Info 2012-06-19 , 08:08:23  at Tvsu.Gui.CustomComponents.Step.set_Image(StepImage value)  Message: Setting FAILED status.
    Info 2012-06-19 , 08:08:23  at Tvsu.Gui.GUIController.ShowErrorMessage(Exception e)  Message: Error while gathering user information.  Exception:   Message: A fatal error ocurred while in the HelloProcess   Type: Tvsu.Engine.Process.HelloProcessException      at Tvsu.Engine.Task.Task.StartExecution()    at Tvsu.Sdk.SuSdk.GetSystemProperties()    at Tvsu.Gui.Util.ProgressThread.InitSearch()
    Info 2012-06-19 , 08:08:23  at Tvsu.Gui.FlowScreens.Messages.ShowMessage(String message, String title, String mastheadtext, MessageType t, Boolean check, IWin32Window owner)  Message: Showing ERROR Message: < An error occurred while gathering user information. >
    Info 2012-06-19 , 08:08:25  at Tvsu.Gui.GUIController.BackToMain()  Message: Setting Welcome screen...
    Info 2012-06-19 , 08:08:25  at Tvsu.Gui.MainFrame.SetScreen(String screen, EventHandler[] eh)  Message: Loading Welcome screen on Action pane.
    Info 2012-06-19 , 08:08:30  at Tvsu.Gui.GUIController.AskBeforeClosing()  Message: Close System Update?
    Info 2012-06-19 , 08:08:30  at Tvsu.Gui.FlowScreens.Messages.ShowMessage(String message, String title, String mastheadtext, MessageType t, Boolean check, IWin32Window owner)  Message: Showing QUESTION Message: < Are you sure you want to close System Update? >
    Info 2012-06-19 , 08:08:32  at Tvsu.Gui.GUIController.AskBeforeClosing()  Message: Application will close now? True
    Info 2012-06-19 , 08:08:32  at Tvsu.Gui.MainFrame.OnClosing(CancelEventArgs e)  Message: User wanted to close System Update, or the package force a reboot.
    Severe 2012-06-19 , 08:08:32  at Tvsu.Sdk.SuSdk.ShutDownApplication()  Message: Has happened an exception while the UNCAuthenticator.Shutdown() was executedShare name can not be null or empty
    Info 2012-06-19 , 08:08:32  at Tvsu.Engine.DataBase.ShutDownDataBase()  Message: Shutting down the DataBase, saving any data into file: updates.ser
    Info 2012-06-19 , 08:08:32  at Tvsu.Environment.EnvironmentManager.closeEM()  Message: Closing Environment Manager.
    Info 2012-06-19 , 08:08:32  at Tvsu.Sdk.SuSdk.ShutDownApplication()  Message: Shut Down the Application

  • I am using iPhone 4 : i OS 7. When the phone is in sleep mode i cannot disconnect unwanted incoming call, Is there any upgrade coming for this for iPhone 4 users

    Dears,
    I am using iPhone 4 : i OS 7. When the phone is in sleep mode i cannot disconnect unwanted incoming call, Is there any upgrade coming for this for iPhone 4 users. How this can be sorted

    Hello Bibhore,
    Calls can be declined by hitting the sleep/wake button twice quickly.
    Decline a call and send it directly to voicemail. Do one of the following:
    Press the Sleep/Wake button twice quickly.
    iPad User Guide - When someone calls
    http://help.apple.com/ipad/7/
    Cheers,
    Allen

  • Querying user information fails 711..?!!!!

    Hi, my phone is Asha 303....
    I get crrrrrrazy with noka's problemss,, i need help i feel that i bought my phone to solve its problems!!!
    Now with the new problem that when i open site in many times there is message ((bad Fu...in message)) say ((Querying user information fails)) and there is number 711 in top right of screen i think its problem code...
    I dont know what to do to kill this message and in need your help i have alot of problem i will write soon but help me solve this that i dont know its reason....
    **if nokia allow us to delet its browser and make another browser as default phone browser it will be better for all we and nokia corporation also....
    Solved!
    Go to Solution.

    Moron wrote:
    Default config. sett. ((what is the job of this))??  ---are these access points---
    **it choosen (Etisalat), but when i click on it i found another ((friend caller, ETISALAT MMS, ETISALAT WEB, ETISALAT Streaming)),,and these etisalat repeated, i mean there is double of them like i found Etisalat mms two times,, and all etisalt also have double....
    Personal, is the one you created. The other ones came with your phone (and got loaded because you inserted a Etisalat SIM). The duplicate might be a configuration send over-the-air which you accepted. Difficult to judge from the distance. Anyway, here you have to select ‘Personal’ now.
    Moron wrote:
    Default in all app. ((what is the job of this))?
    A configuration consists of several accounts, for example ‘My Web’ is an account. ‘My Access Point’ is another account. ‘My Streaming’ is an account. Now, ‘Personal’ is a configuration. This menu-option makes sure all apps use your personal configuration because in some apps, for example in the MMS menu, you are able to select an account from a different configuration.
    Moron wrote:
    preferred access pt.  ((what is the job of this))?? --- if these access points so wahts the above #1!!-
    That is the account ‘My access point’, the base for all other accounts except you override it there. For example, in ‘My web’ you are able to create a different access point, not using the preferred anymore. Because we used the default for all accounts, the preferred access point is the one you use for all of your accounts. In our case, these three menu items (default, default all, and preferred) all do the same, you are right. Please, use ‘My access point‘ here. Stay away from any WAP access point.
    Moron wrote:
    with opera it still cant download and the site cant define my mobile
    Opera Mini does not send the model of your phone in the way, Nokia expects it. Therefore, you have to use the Nokia Xpress browser.

  • Does the iPhone send street addresses over bluetooth to cars?

    I've searched a lot and found answers that say it's the iPhone, it's the car, or both. I've not seen any concrete answers either way with definitive information though. This is dealing with the MyGig system. I saw the other post mentioning MyGig and read through the comments, but unless I missed it, I acknowledge is quite possible, I didn't see anything addressing the issue I'm talking about.
    I have no problems getting the phone numbers & names, but I just cannot get the address over. This makes the GPS aspect completely useless. I'd hate to have to disable the bluetooth contact export option and use the system's internal phone book just to get this to work. So my question is, has anyone had any success with their iPhone sending contacts to their car? It doesn't have to be a MyGig system, if it works with any system that would make me think that it's a compatibility between the two and not just a gross oversight of Apple with what the iPhone should be able to do.

    when i was running 4.3.x on my iphone 4 i noticed that from time to time the wifi would actually mysteriously disconnect and my iphone 4 would not try to reconnect just continue to do whatever it was doing, like watching videos on 3g gobbling up my data plan. it became so frequent i turned off cellular data entirely. since i went to ios 5 i have not seen this problem come back. even on wifi if you turn off cellular data you don't get visual voice mail!! hmm
    maybe if see a genius they might be able to explain what is going on
    i complained to at&t and they gave me a one time credit and removed the overage charges on my account

  • Is it really safe to send such information? Please Help!

    Hi everyone,
    So, I'm "working" with an iPhone developer, who has already some apps selling on the App Store! I asked him, if he could get me a better icon of his Application for me. Then he answered me kindly, that he would be able to send me a personal preview release of the next release of the correspondent app.
    However, he asked me for an info: he wants me to send the iPhone ID (which is found, by clicking on the label 'serial number').
    So, is it really safe to send such information?
    Any help would be greatly appreciated!
    Francisco

    "Safe" is a relative term. However, short of waiting for the app to be released on the iTunes App Store, that's the only way to get a version of it. The three possible ways for distributing apps are 1) the App Store, 2) direct distribution within an Enterprise organization for internally-developed apps, and 3) limited sharing by a developer with a release tied to a device serial number.
    However, note that #3 may not always be possible, as reported for one developer in this linked article.
    To be honest, there's not too much a developer could do with your serial number, other than release the app to you, or perhaps report your iPhone as stolen (pretty unlikely, I think).

  • "No User Information" on outbound mail

    I just started sending mail out through our IronPort. The top user in the Top Users report is "No User Information". What might those be?

    Also keep in mind that "No User Information" can refer to messages that have been relayed through the IronPort appliance without an Envelope-From address. For instance, a sender such as "<>".
    These are typically bounce messages. This is not a defect or a critical issue. It is just the way the sending host is configured to send bounces.
    The IronPort has no control over this setting. Generally, the sending host will add a "[email protected]" or "[email protected]" type address as the From message header for such bounce messages.

Maybe you are looking for