Got a question for you guys...

I just got a AMD 6400+ for my DKA790GX Platinum and my question is this...
In EVEREST under CPU Type its calling it "dual core AMD athlon 64 X2 black edition". From what I understand the black edition is a special edition processor
that comes in a all black box. the box is saying its a ADX6400CZBOX.
why is EVEREST calling it a black edition??

1) Go to file, select new playlist. Creat the playlaist.
2) Download your music into iTunes.
NOTE: CHECK 'Recently Added' before you download your music.
If the select boxes has a check in them, turn it off by
holding down the 'ctrl' key and selecting one of the
checked boxes. This shold turn off all the checks.
It would be better to clear 'Resently Add' of all
previous downloads, but I don't know how to do that
yet.
3) under 'PLAYLIST' on the right, select 'Recently Add'.
all of your song should show there with a check in the selection
box.
4)Hold the shift key and select the frist (selete records name),
then the last recorded tune. All of the recordings shouls light
up blue.
5) While holding the 'shift' key, drag one of the records to your new
playlist. All of the blue highlighted song will transfer to the new
playlist.

Similar Messages

  • Got a question for you haskellers

    Hello there Arch members!  Thanks for being the awesome community that you are.
    On my spare time I've been trying work out my programming muscles... as they are very weak.
    What I've got here is haskell code to open a file, read its contents, parse the contents into a type I've defined, and  output as much debugging info as i could manage to stdout.
    The issue that I cant seem to grapple with is how to bind the final list to a symbol in my main function (ie: forrest <- makeforrest $ objs) so I can use it later. 
    I'd like the list to have elements that are singleton 2-trees so I can build a heap from the list.  The immediate problem I run into is a type problem.  If i were to add the code:
    forest <- makeforrest objs
    the compiler complains with "Couldn't match expected type 'IO t0' with actual type '[BinTree a0]'
    Do I have to "unwrap" objs of the IO monad somehow first?
    Any advice/help/insight is greatly appreciated. 
    module Main where
    import Text.ParserCombinators.Parsec
    import System.Environment
    import System.IO
    import Control.Monad
    import CustTree
    data DummyBag = DummyBag {key::String, val::Integer}
    deriving (Show,Read,Eq)
    parseDataFile :: GenParser Char st [DummyBag]
    parseDataFile =
    do obs <- many keyAndVal
    eof
    return obs
    keyAndVal = do key <- many1 letter
    spaces
    val <- anyChar `manyTill` newline
    return (DummyBag key (read val))
    --extract :: DummyBag a -> (Integer,String)
    extract (DummyBag key val) = (val,key)
    singleton :: (Show a) => a -> BinTree a
    singleton f = NodeBT f Empty Empty
    makeforrest :: (Show a) => [a] -> [BinTree a]
    makeforrest [] = []
    makeforrest xs = map singleton xs
    main :: IO ()
    main = do args@(f:opts) <- getArgs
    handle <- openFile f ReadMode
    contents <- hGetContents handle
    putStrLn ("DEBUG: got input\n" ++ contents)
    let objs = case parse parseDataFile "(unknown)" contents of
    Left err -> error $ "Input:\n " ++ show contents ++
    "\nError:\n" ++ show err
    Right results -> results
    putStrLn "Debug: parsed: ";print objs
    putStrLn "Debug: converted to forest:";print ( makeforrest objs )
    return ()
    And here is the output when tested on very simple input data:
    DEBUG: got input
    ABC 1
    DEF 2
    GHI 3
    JKL 4
    MNO 5
    PQR 6
    STU 7
    VWY 8
    YZ 9
    Debug: parsed:
    [DummyBag {key = "ABC", val = 1},DummyBag {key = "DEF", val = 2},DummyBag {key = "GHI", val = 3},DummyBag {key = "JKL", val = 4},DummyBag {key = "MNO", val = 5},DummyBag {key = "PQR", val = 6},DummyBag {key = "STU", val = 7},DummyBag {key = "VWY", val = 8},DummyBag {key = "YZ", val = 9}]
    Debug: converted to forest:
    [NodeBT (DummyBag {key = "ABC", val = 1}) Empty Empty,NodeBT (DummyBag {key = "DEF", val = 2}) Empty Empty,NodeBT (DummyBag {key = "GHI", val = 3}) Empty Empty,NodeBT (DummyBag {key = "JKL", val = 4}) Empty Empty,NodeBT (DummyBag {key = "MNO", val = 5}) Empty Empty,NodeBT (DummyBag {key = "PQR", val = 6}) Empty Empty,NodeBT (DummyBag {key = "STU", val = 7}) Empty Empty,NodeBT (DummyBag {key = "VWY", val = 8}) Empty Empty,NodeBT (DummyBag {key = "YZ", val = 9}) Empty Empty]

    module CustTree where
    data Tree a = Node a [Tree a] deriving Show
    data BinTree a = Empty | NodeBT a (BinTree a) (BinTree a)
    deriving Show
    data BinTree' a = Leaf a | NodeBT' a (BinTree' a) (BinTree' a)
    deriving Show
    -- Operations can be grouped into 'single' operations and 'global'
    -- operations. Insertions and deletions are considered to belong
    -- to the 'single' group where the following belong to latter.
    depth :: Tree a -> Int
    depth (Node _ []) = 1
    depth (Node _ ts) = 1 + maximum (map depth ts)
    depth' :: BinTree a -> Int
    depth' Empty = 0
    depth' (NodeBT _ lt rt) = 1 + max (depth' lt) (depth' rt)
    --Count empty leaves in a tree.
    countEmpty :: BinTree a -> Int
    countEmpty Empty = 1
    countEmpty (NodeBT _ lt rt) = countEmpty lt + countEmpty rt
    --Suppose the nodes contain integers, summing the values
    tsum :: BinTree Int -> Int
    tsum Empty = 0
    tsum (NodeBT a lt rt) = a + (tsum lt) + (tsum rt)
    tsum' :: BinTree' Int -> Int
    tsum' (Leaf a) = a
    tsum' (NodeBT' a lt rt) = a + (tsum' lt) + (tsum' rt)
    preorder :: BinTree a -> [a]
    preorder Empty = []
    preorder (NodeBT a lt rt) = [a] ++ preorder lt ++ preorder rt
    inorder :: BinTree a -> [a]
    inorder Empty = []
    inorder (NodeBT a lt rt) = inorder lt ++ [a] ++ inorder rt
    postorder :: BinTree a -> [a]
    postorder Empty = []
    postorder (NodeBT a lt rt) = postorder lt ++ postorder rt ++ [a]
    Thanks for taking a look
    Last edited by ickabob (2011-03-23 06:58:47)

  • IPhone 4 OUTDOOR reception test + question for you guys

    http://www.youtube.com/watch?v=Ey0lOj4YOSc
    Any other ideas on how to test this?
    ALSO, has anyone tried removing their sim card and putting it back in?

    iArmand wrote:
    SikPup wrote:
    iArmand wrote:
    http://www.youtube.com/watch?v=Ey0lOj4YOSc
    Any other ideas on how to test this?
    ALSO, has anyone tried removing their sim card and putting it back in?
    Yes i did remover the sim and put it back in. shut down, removed sim re booted up did a network reset and installed the sim.
    no change
    I have way better reception outdoors than indoors, cases do not seem to mater for me.
    i did see this on another forum
    iOS 4.01 Due Early Next Week; Addresses Antenna Issues
    Reception issues observed by new iPhone 4 owners, derided as the "Death Grip" by bloggers, appears to actually be a software issue that an iOS update is expected to resolve early next week.
    http://www.appleinsider.com/articles...ios_401.html
    the link you provided didnt work relink?
    and what is your view on the "software" issue? do you think apple is just going to make it appear as if we have more signal than we really do?
    Potentially a band aid to merely save face. Hopefully proper RF tuning to account for the attenuation present when the hand is near that corner of the phone will be implemented.

  • I GOT A QUESTION FOR YOU ALL

    Is it possible to have Enterprise Edition and J2 SDK 1.4 on the same system without any problem in running the programs??
    If No, What really happens that goes wrong?
    If Yes, How t configure the system?

    I don't recommend that you have a development library on a production system. The only thing on the server should be the bare minimum to make it work. Your going to be cracked before the rooster crows.

  • OCA question for you guys.

    Please give your answer and explanantion
    ++++++++++++++++++++++++++++++++++++++++++++++++
    Which steps are performed the first time any UPDATE statement is issued after the instance is started? choose two
    A. Creating parse tree of the statement
    B. Writting modified data blocks to the datafiles
    C. Writing modified data to the archived redo log files
    D. Updating the control file to indicate the most recent checkpoint
    E. Updating data file header to indicate most recent checkpoint
    F. Reading blocks to database buffer cache if they are not already there
    +++++++++++++++++++++++++++++++++++++++++++++++++++++++
    Give your answer and why?

    A and F.
    B happens on checkpoints.
    C,D and E will happen on commit.correction,
    C happens at logfile switch,
    D. E as stated will happen at checkpoint.

  • Hi there how are you guys out there of this forum? I got a question for y'a

    Hi there how are you guys out there of this forum? I got a question for y’all
    I wanted to know how I could record different folders using iTunes
    Cause when recorded 2000 thongs on the DVD
    There were 2000 songs to go through
    So I really wanted to have had folders and then the music recorded inside them
    So I could get right to where I wanted real quickly
    Could anyone please teach me how to do that real quickly?
    Can we do it with iTunes?
    I know we can do it with Nero.

    1) Go to file, select new playlist. Creat the playlaist.
    2) Download your music into iTunes.
    NOTE: CHECK 'Recently Added' before you download your music.
    If the select boxes has a check in them, turn it off by
    holding down the 'ctrl' key and selecting one of the
    checked boxes. This shold turn off all the checks.
    It would be better to clear 'Resently Add' of all
    previous downloads, but I don't know how to do that
    yet.
    3) under 'PLAYLIST' on the right, select 'Recently Add'.
    all of your song should show there with a check in the selection
    box.
    4)Hold the shift key and select the frist (selete records name),
    then the last recorded tune. All of the recordings shouls light
    up blue.
    5) While holding the 'shift' key, drag one of the records to your new
    playlist. All of the blue highlighted song will transfer to the new
    playlist.

  • Got a question for all you peeps dos anyone know about i phones i have a i phone 3gs which i got unlocked i did a master reset or summin and just had a pic of apple so i plugged it in i tunes downloaded and it now says no service at the top of phone and i

    got a question for all you peeps
    dos anyone know about i phones i have a i phone 3gs which i got unlocked i did a master reset or summin and just had a pic of apple so i plugged it in i tunes downloaded and it now says no service at the top of phone and i tunes says invalid sim i put the correct sim in it used to be locked too and still says same pls any one with ideas?

    hi sorry what happoned is that ages ago i brought a i phone 3gs on 02 network i went to a sml phone shop and payed for them to unlock it. it has been fine till yesterday when i went to reset it from the phone it then turned off and came back on just just an image of a apple for about an hour so i connected to i tunes and it said downloading software after another hr it had finished but then i tunes said in had to insert a sim so i had to un plug the phone from laptop while i did this i put my orange sim in and the i phone said where do i live and had to connect to a internet connection but all the time saying no service where the signal bar is and then says activating i phone it took a few min and said couldnt finish it bec of the signal and to connect it to i tunes to do it so i connected it to itunes and i tunes just keeps saying invalid sim so i took my orange sim out and put a 02 sim in and is still saying invalid sim on itunes?

  • HI i am user for InDesincc TrialVersion now. i have serious question for all guys in here. at first i installed Indesigncc as korean language but now i need to indesigncc english language installation. and then now i cant translate and changing korean lan

    Daniel SterchiHI i am user for InDesincc TrialVersion now. i have serious question for all guys in here. at first i installed Indesigncc as korean language but now i need to indesigncc english language installation. and then now i cant translate and changing korean language interface to english language interface at indesigncc download. so i wonder How i can do that?...i am very seriuos for now....i want indesigncc version for Eng.Language interface. but now i cant do that .i dont konw how i can presented kor. interfacing transite to eng. interface..
    forumnotifierHI i am user for InDesincc TrialVersion now. i have serious question for all guys in here. at first i installed Indesigncc as korean language but now i need to indesigncc english language installation. and then now i cant translate and changing korean language interface to english language interface at indesigncc download. so i wonder How i can do that?...i am very seriuos for now....i want indesigncc version for Eng.Language interface. but now i cant do that .i dont konw how i can presented kor. interfacing transite to eng. interface..

    First of all, uninstall it with the uninstaller.
    Then:
    Install the ENGLISH version.
    Change the language in the CC app to Korean.
    Install the Korean version. (DON't uninstall the English version)
    Change back the langauge in the CC app to English.
    When your OS is running in English, InDesign will run in English with Korean functionality added, if your OS is running in Korean it will take the Korean User Interface, so let your OS run in English.
    Every installer language will add needed plugins for the work with that language. E.g. If I install Hebrew, I get RTL functionality in German version, only if I would change the OS language it would change the language of InDesign, InDesign takes always as UI language the language of the OS if available, if not (in your case you have uninstalled English before), it takes any version which is available in the order of languages specified in the OS.
    If you need to run your program in a different language than the OS but you have installed it in the language of the OS it becomes more difficult. You would have to use some system tools which are able to force a program to open with a different language. Most of those tools are freeware.

  • Hi,  I have keep seeing a small 'Connection failed'  warning box popping up: [[Connection failed  There was an error connecting to the server "Warning; Self Aware"]].  Question for you gods - what does it mean. is it important?  my computer connects to my

    hi,  I have keep seeing a small 'Connection failed'  warning box popping up: [[Connection failed  There was an error connecting to the server "Warning; Self Aware"]].  Question for you gods - what does it mean. is it important?  my computer connects to my server works.  Could it be related to  "Network Preference & Monitor icons missing from my system preferences page?  and my guest sign=in account is now the main account??     thanks you. jb

    hi,  I have keep seeing a small 'Connection failed'  warning box popping up: [[Connection failed  There was an error connecting to the server "Warning; Self Aware"]].  Question for you gods - what does it mean. is it important?  my computer connects to my server works.  Could it be related to  "Network Preference & Monitor icons missing from my system preferences page?  and my guest sign=in account is now the main account??     thanks you. jb

  • Hello, I have a question for you. receipt of some Internet providers or notices notifications on the lock screen and I consume the battery on my iPhone 4S. would you please tell me how do I block these ads in blue letters on the screen me? thanks

    hello, I have a question for you. receipt of some Internet providers or notices notifications on the lock screen and I consume the battery on my iPhone 4S. would you please tell me how do I block these ads in blue letters on the screen me? thanks

    Hi demir67,
    Welcome to the Support Communities!
    The articles below will show you how to block text messages from your iPhone:
    iPhone User Guide for iOS 7:
    Send and receive messages - iPhone
    http://help.apple.com/iphone/7/#/iph01ac18d71
    Block unwanted messages. On a contact card, tap Block this Caller. You can see someone’s contact card while viewing a message by tapping Contact, then tap the "i" with the cirle.   You can also block callers in Settings > Phone > Blocked. You will not receive voice calls, FaceTime calls, or text messages from blocked callers.
    iOS 7: Understanding call and message blocking
    http://support.apple.com/kb/HT5845
    Notification Center - iPhone
    http://help.apple.com/iphone/7/#/iph6534c01bc
    Set notification options. Go to Settings > Notification Center. Tap an app to set its notification options. You can also tap Edit to arrange the order of app notifications.
    Cheers,
    Judy

  • Question for you Deathstalker

    Hi Richard.
    I have a question for you about the MSI K7N2G-LISR (NVIDIA nForce2 IGP) motherboard we were discussing.
    If this board has integrated graphics, why do I need a video card? I had someone else ask me the same thing but I didn't know the answer.
    Thanks
    Mike

    Hi Mike, I not sure if I should step in and put in this reply, but couldn't stop myself not to as this is quite important.
    Mobos that comes with on board/integrated/shared Memory Graphics usually dun ends up giving you good framerates and graphics details. I have a friend who spent Sin 2000 over dollars to D.I.Y a creative slix look alike com with on board graphics has regretted not getting a proper mobo with AGP slot. The graphics that are produced on his com are like running a TNT2 Riva 32MB card for games like warcraft 3 and any latest 1st person shooting games... juz imagining it...
    I'm the type of person who are more for graphics and smoothness of gameplays and details of model as I do some 3D designs and picture designing. I juz dun understand why there are still people going for onboard graphics and complaining about poor fps produced which they should have blame themselves for it X( ... It's good that you've pointed out your doubts on that...
    All the Best...  :D !!!

  • Hey guys I have a question for you all.

    I set my security question a couple of years ago and now can't remember the answers and the email I set up to retrieve the answers I also can not remember the password to. So if you guys have any easy solutions... I can get on my account and buy things easily on my ipod, but when I try on my mac I have to answer the security questions. Help please!

    The Three Best Alternatives for Security Questions and Rescue Mail
        1. Use Apple's Express Lane.
              Go to https://expresslane.apple.com ; click 'See all products and services' at the
              bottom of the page. In the next page click 'More Products and Services, then
              'Apple ID'. In the next page select 'Other Apple ID Topics' then 'Forgotten Apple
              ID security questions' and click 'Continue'. Please be patient waiting for the return
              phone call. It will come in time depending on how heavily the servers are being hit.
         2.  Call Apple Support in your country: Customer Service: Contacting Apple for support or
              Apple ID- Contacting Apple for help with Apple ID account security. Ask to speak to
              Account Security.
         3.  Rescue email address and how to reset Apple ID security questions.
    How to Manage your Apple ID: Manage My Apple ID

  • Hey all you pros, question for you...

    I am a new convert, and I and trying to learn all the ins and outs of mac worship. With the one-button mouse (i got myself a cute little wireless one here...), are there shortcut keys to do more with the mouse? I wasn't particularly fond of the mighty mouse, but I am already missing scrolling and the such. I assume there is something to alleviate this, as so much is keyboard driven anyways...
    Thanks for you help...!

    You can get the equivalent of a right-click a couple of ways. One way is to hold down the control key when you click. Another way is to click and wait a second before releasing the click. This is my preferred way for activating context menus, etc.
    15 1.67 GHz PowerBook   Mac OS X (10.4.3)   2 GB RAM

  • UK Delivery - How long was it for you guys?

    really didn't know where to put this topic, so sorry if it's in the wrong place.
    Basically just curious to know how long delivery normally is, I ordered a quad G5 yesterday or so, order status says it should be shipped by Jan 12th, but while completing the order it said delivery should take 5-7 days, 10 days at most etc.. but i am finding it hard to believe in this day and age and from such a company like Apple that Next Day delivery wasn't an option.
    Am i really going to have to wait a week for delivery?? bad enough having to wait a week for the building etc...? what length of time have you guys experienced from shipping to delivery?? i want my G5 now! :o
    NB- refers to UK orders

    Just as reference for those awaiting delivery, i'll just run through the various stages i experienced. Ordered 5th January, Powermac G5, Cinema Display and Ipod Nano with other various accessories.
    Estimated Shipping Date was 12th Jan.
    Actual Shipping Date was 9th Jan.
    The G5 was shipped via Kuhne & Nagel Spedition s.a r., the package was picked up from Cork, Ireland at 18:15. The remaining items were picked up by Flextronics c/o Express Cargo , i am unsure where it came from originally, but i assume it was these items that caused the slight delay. As all items need to accumulate in one place before being handed over to UPS or TNT.
    I called Apple yesterday (12th Jan) they had no extra information than that on the Tracking page, and said delivery was estimated for 17th Jan, but he said could come sooner, which it did, it arrived today (13th Jan).
    Early this morning, the Tracking page changed. All the items, except the PC, were under the Carrier name of FLEX POST & HUB UK.. this changed to APPLE EUROPE, MIDDLE EAST AND AFRICA, and new tracking numbers had been applied to ALL the items. After some googling i discovered the new numbers belonged to UPS.. a quick visit to their website turned up some results. They had revieved the packages yesterday, and had been sent out for delivery this morning...
    Packages recieved at 12:05 13th January. So for me build time was 3-4 days, and shipping was 3-4 days. All under the estimates. I think the ipod and the extras that resulted in the 1-2 delay, from what i've read apart from John Keith's experience, is that shipping usually takes no more than 3days after you get the shipping confirmation.
    All in all very happy, Apple's tracking page should display more and update more, a fair majority of the info i recieved was due to a lot of googling and trial and error. I've yet to open the pc and monitor so can't comment on the state, read some horror stories so am waiting with trepidation mixed with huge excitement!!!
    hope this is of some help

  • Toocan---I have a question for you

    Can you please tell me in simple terms what I need to do to add songs from ITUNES to IPOD without losing all the songs on my IPOD. My Itunes library I am slowly building back up, but dont wish to lose my 17,000 songs on my POD. thanks in advance for answering this---remember I am illiterate when it comes to doing crap like this....Jeff

    I appreciate you guys but as I said before all I really wanna do is add a few songs to my IPOD that I recently uploaded from CD. I paid 25.00 last night for a service to re-add my songs from POD to itunes and it didnt work. So now I just would like to keep my 17,000 songs on my IPOD and add a few more from ITUNES. Is there an easy way to do this???? Jeff

Maybe you are looking for

  • How do I close an e=mail account

    I want to close an e-mail account. How?

  • Oracle.jbo.RowAlreadyDeletedException with outer join

    Hi, I have created a VO, based on an EO, with an outer join present. The first time I query my data (search) everything goes well, but when I perform a search the second time, I receive the error message: "oracle.apps.fnd.framework.OAException: oracl

  • Portal install can't find WebLogic even though it's there.

    I recently moved my evaluation copy of WebLogic 6.1 SP 1 from /opt to /usr/local on my RedHat 7.1 box. WebLogic runs fine from the new location. However, when I try to install my evaluation copy of WLPortal 4.0, it insists that WebLogic 6.1 SP 1 is n

  • Is there an alpha order function in Pages for iPad?

    I have a folder inside Pages for iPad which has about 20 docs inside it.  I would like to put these files in alpha order by their title.  Is that possible?  If not, can I manually sort the files inside the folder?  I can get the files to move, but I

  • Set delivery completed flag with a program

    Hi, We have a need of setting the delivery completed flag on a lot of POs. Is there a program that we can use for that? br Anders Edited by: Anders Öhrling on Aug 10, 2011 5:42 PM