Sam's MC Question

I see that Sams issues the cash back paid once a year to Sams's as the payee. Can a person just cash the check and be on their way or is it used as payment toward purchase in which you have to spend it all.

coldnmn wrote:
MrPTato wrote:
coldnmn wrote:
Yes I went to the customer service desk when I walked in and cashed the check. I then went shopping and charged my purchase to my credit card. The check is treated as a regular check not a credit to your account.Ah...so it only requires you cash it at Sam's.Yes! Strange but true!Thanks coldnmn!

Similar Messages

  • UCCX 8.5 same skill delivery question

    Hi all, I've a question about how a call is delivered when agents in ready state have same skill level in the same CSQ.
    In my CSQ I have 4 agent with skill 9, 2 with 7 and 1 with 5. How can I set the algoritm used for the first 4 agent?
    Now calls is delivered to the first agent, maybe the best is longest time idle to balancing the work on the call center.
    Enrico.

    Enrico,
    It depends on what algorithm you are using on the CSQ definition as you have few to pick from. For example if you are using Most Skilled then the first call will be offered to agent with skill competency of 9, etc.  If you are using Longest Idle then the competency is irrelevant and call will be delivered to an agent that has been IDLE the longest. There are some other ones as well. If you are using Most Skilled and 2 agents have the same skill competency then longest idle is used between those agents.
    HTH,
    Chris

  • Same old silly questions, but just to confirm!

    I have some idea of the answers to my questions but the more I read in the forum the more uncertain I've become...
    1. I can use the TC as an external hard drive, but what about the transfer speed? Is it similar to the speed of a USB hard drive? If it is slower, will I still be able to watch movies/listen to music files on the TC with my Macbook?
    2. Can I connect TC to a computer using an ethernet cable so I can use it as a wired hard drive?
    3. I can back up my computer using Time Machine, but to use TC as a hard drive as well, do I need to do something complex (for me), like 'partitioning' the TC or something?
    4. I already have a wireless router (and network, I think) and don't want to stop using it. Will TC interfere with anything? As in if I start using TC will Leopard try and make me set something up?
    5. Can I plug in the USB printer and use it as if it was directly plugged into my computer, including scanning functions? If I press the scan button on my printer, will the scanning software automatically load on my computer? Will any USB printer work? Is further set-up required?
    Thanks for reading my questions. I just got a Macbook Air and I'm all new to the wireless world.

    1. Over a gigibit ethernet cabled connection, speed will be faster that that of a USB hard drive. For any other connection type (ie 100 Mbps ethernet, or 802.11a/b/g/n wireless, it will be slower.
    2. Yes you can connect TC to a computer using an ethernet cable.
    3. Currently available information is insufficient to answer this question.
    4. You can connect TC to an existing network without having to change anything about your current network setup or configuration.
    5. You can plug a USB printer into TC. If you connect a multifunction printer to TC, only its printer function will work and scanning/faxing will not. Not all USB printers work, and multifunction printer are among the more problematic to get even their print function working.

  • Oracle/VB question - same newbie different question.

    Hi,
    I've just learned the magic that is getting VB to call stored procedures in Oracle - but now I have a question.
    I have a procedure that runs through a table, this is the loop part :
    loop
    fetch staff_c into surname_str, first_str, salary_str;
    exit when staff_c%notfound;
    dbms_output.put_line('data ' || surname_str || ', ' || first_str || ' - ' || salary_str);
    end loop;
    close staff_c;
    so my question is simply this, I'm using the following VB code to access a stored procedure which is passing a param in, and a param out -
    Dim cmd As ADODB.Command
    Dim conn As ADODB.Connection
    Dim param As ADODB.Parameter
    Set conn = New ADODB.Connection
    conn.Open "dsn=PaulsRescueDB", "x", "y"
    Set cmd = New ADODB.Command
    cmd.ActiveConnection = conn
    cmd.CommandType = adCmdStoredProc
    cmd.CommandText = "lang_count"
    Set param = cmd.CreateParameter("@p_in", adVarChar, adParamInput, 10, "english")
    cmd.Parameters.Append param
    cmd.Execute
    MsgBox cmd.Parameters(1).Value
    conn.Close
    what do I need to do in order to be able to treat the result of the stored procedure as a recordset - or am I mis-understanding something?
    Thanks in advance,
    Ed.

    Just in case anyone else out there was interested here's a brief summary of the solution.
    First lets look at the stored procedure as this is where the first and most important point is to be seen:
    create or replace package types
    as
    type cursorType is ref cursor;
    end;
    so we're creating a cursor type variable called cursortype, this is then used in the following code:
    create or replace procedure getemps( p_in in varchar, p_cursor in out ref cursor
    as
    begin
    open p_cursor for select surname, firstname
    from staff
    where initcap(p_in) = surname;
    end;
    It should be noted that a cursor is effectively an area of memory specific to your session that stores a result set, the cursor is treated as a variable/object.
    In the case of the above code the cursor contains the result of the select statement.
    You will also notice that the code opens the cursor with the contents of the select (this is because whenever you create an object it is null - unless you give it an initial value).
    The variable P_In is a varchar (when defining a procedure you do not specify the size of an int or varchar) and p_cursor is the returned data.
    I do not know why p_cursor is both in and out, out alone would have been the obvious choice.
    So we now have a stored procedure that takes a parameter to pass to a select statement, does a search and then returns a resultset (cursor).
    Now to answer the original question, how do you use this in VB?
    The code below illustrates (ADO):
    Dim cmd As ADODB.Command
    Dim conn As ADODB.Connection
    Dim param As ADODB.Parameter
    Dim rs As ADODB.Recordset
    Set conn = New ADODB.Connection
    conn.Open "dsn=PaulsRescueDB", "x", "y"
    Set cmd = New ADODB.Command
    cmd.ActiveConnection = conn
    cmd.CommandType = adCmdStoredProc
    cmd.CommandText = "getemps"
    Set param = cmd.CreateParameter("@p_in", adVarChar, adParamInput, 10, "foghorn")
    cmd.Parameters.Append param
    Set rs = cmd.Execute
    While Not rs.EOF
    Debug.Print (rs.Fields(1).Value & " " & rs.Fields(0).Value)
    rs.MoveNext
    Wend
    conn.Close
    As you can see I am manually creating an ADODB object, specifying that the commandtype is a stored procedure and then appending a parameter to the command text.
    You will also notice that although the cursor is the second parameter in the stored procedure I do not specify it directly but rather assign the ADO recordset object as the result of the ADO command execution.
    Once I've done this I merely use the recordset as a normal recordset object.
    CREDITS:
    The stored procedure is based on the one supplied by Jens Link in the previous post.
    The VB is a hijacked piece of ASP code modfied for VB.
    If this helps anyone else out there besides me then I'm happy to have been able to give something back to the community that has helped me.
    Ed.

  • Same-security-traffic question

    ASA5505 config
    ip address inside 10.1.1.254 255.255.255.0
    nat (inside) 1 10.1.1.0 255.255.255.0
    route inside 10.1.2.0 255.255.255.0 10.1.1.253
    same-security-traffic permit intra-interface
    When I source packets from 10.1.1.1 host I cannot reach 10.1.2.1 host
    default-gateway on 10.1.1.1 is 10.1.1.254
    If I "route add 10.1.2.0 mask 255.255.255.0 10.1.1.253" to 10.1.1.1 host I can then reach 10.1.2.1 host
    What am I missing here? Everything else I need to do works.
    Thx,
    Phil

    Adam - that did the trick!
    It would have taken me some time to globalize the inside interface since this is my firs foray into hair-pinning.
    Where does Cisco hide this little gem of information?
    Thx,
    Phil

  • Same subject, new question

    I posted this earlier and have been trying to figure it out
    but can't, so I tried another way and it almost works, but not
    quiet.
    I have a table with 31 rows and I use the following to
    generate checkboxes, three columns across with 10 in each column,
    plus one extra.
    the numerical values acorss are 1 2 3, then next line of 4 5
    6, next line of 7 8 9, etc.
    this is what I use :
    <table border="0">
    <cfoutput query="qryGet_Disposition">
    <cfif CurrentRow Mod 3 EQ 1>
    <tr>
    </cfif>
    <td valign="top">
    <cfinput type="checkbox" name="disposition_issues_id"
    value="#qryGet_Disposition.disposition_issues_id#" required
    message="Please select at least one issue/resolution"><font
    size="1">#qryGet_Disposition.disposition_issues_description#</font></td>
    <cfif CurrentRow Mod 3 EQ 0>
    </tr>
    </cfif>
    </cfoutput>
    </table>
    </td>
    </tr>
    </table>
    It works fine. I need to edit, so I need to redisplay in the
    exact format showing which boxes were checked, so that they can
    check new ones or uncheck old ones.
    I currently am using this method :
    <table border="0">
    <tr>
    <td>
    <cfset disposition_list =
    valuelist(qryGet_disposition_issues.disposition_issues_id)>
    <cfoutput>
    <cfloop from="1" to="11" index="iii">
    <cfif #iii# is "1">
    <cfset disposition_issues_name = "Absorbed Parts (PO value
    < $100.00)">
    <cfelseif #iii# is "2">
    <cfset disposition_issues_name = "PMR">
    <cfelseif #iii# is "3">
    <cfset disposition_issues_name = "Redirect Shipment">
    </cfif>
    <input type="checkbox" name="disposition_issues_#iii#"
    id="disposition_issues_#iii#"
    value="#iii#" <cfif listfind(disposition_list,
    iii)>checked</cfif>>#disposition_issues_name#<br
    />
    </cfloop>
    </cfoutput>
    </td>
    <td>
    <cfset disposition_list =
    valuelist(qryGet_disposition_issues.disposition_issues_id)>
    <cfoutput>
    <cfloop from="12" to="22" index="iii">
    <cfif #iii# is "4">
    <cfset disposition_issues_name = "pmrr">
    <cfelseif #iii# is "5">
    <cfset disposition_issues_name = "new pack slip">
    <cfelseif #iii# is "6">
    <cfset disposition_issues_name = "supplier resolved">
    </cfif>
    <input type="checkbox" name="disposition_issues_#iii#"
    id="disposition_issues_#iii#"
    value="#iii#" <cfif listfind(disposition_list,
    iii)>checked</cfif>>#disposition_issues_name#<br
    />
    </cfloop>
    </cfoutput>
    </td>
    <td>
    <cfset disposition_list =
    valuelist(qryGet_disposition_issues.disposition_issues_id)>
    <cfoutput>
    <cfloop from="23" to="30" index="iii">
    <cfif #iii# is "7">
    <cfset disposition_issues_name = "pmrr">
    <cfelseif #iii# is "8">
    <cfset disposition_issues_name = "new pack slip">
    <cfelseif #iii# is "9">
    <cfset disposition_issues_name = "supplier resolved">
    </cfif>
    <input type="checkbox" name="disposition_issues_#iii#"
    id="disposition_issues_#iii#"
    value="#iii#" <cfif listfind(disposition_list,
    iii)>checked</cfif>>#disposition_issues_name#<br
    />
    </cfloop>
    </cfoutput>
    </td>
    </tr>
    </table>
    This appears to work fine, giving me the colums, etc. layout.
    The only problem is that the numerical values of 1 2 3, etc are all
    in the first column, instead of 1 in column 1, 2 in col 2 and 3 in
    col 3, etc.
    Using my code, what do I need to tweak to make the format
    come out the way I want, numerical order across instead of down
    ?

    Hi,
    1. The easiest solution I would recommend is to have the object created in Universe to capture the time diffrence.
    SUM ( Appointment Date Time - Date Appointment Made) )*24*60*60
    2. A long process of Local variables at report level.
    CallDt hr=(ToNumber(FormatDate(<CallDt Time> ,"HH"))) 
    CallDt min=(ToNumber(Right(FormatDate(<CallDt Time> ,"HHmm") ,2)))
    CallDt sec=(ToNumber(FormatDate(<CallDt Time> ,"ss")))
    ApptlDt hr=(ToNumber(FormatDate(<ApptlDt Time> ,"HH")))
    ApptlDt min=(ToNumber(Right(FormatDate(<ApptlDt Time> ,"HHmm") ,2)))
    ApptlDt sec=(ToNumber(FormatDate(<ApptlDt Time> ,"ss")))
    Sec Diff=If (<ApptlDt sec>>=<CalllDt sec>,<ApptlDt sec>-<CalllDt sec>,(60-(<CalllDt sec>-<ApptlDt sec>)))
    Min Diff=If ((<ApptlDt sec>>=<CalllDt sec> AND <ApptlDt min>>=<CalllDt min>)Then <ApptlDt min>-<CalllDt min> Else If ((<ApptlDt sec><<CalllDt sec> AND (<ApptlDt min>-1)>=<CalllDt min>) Then (<ApptlDt min>-1)-<CalllDt min> Else If ((<ApptlDt sec><<CalllDt sec> AND (<ApptlDt min>-1)<<CalllDt min> AND (<ApptlDt min>-1)>=0) Then (60-(<CalllDt min>-(<ApptlDt min>-1)))Else If ((<ApptlDt sec><<CalllDt sec> AND (<ApptlDt min>-1)<<CalllDt min> AND (<ApptlDt min>-1)<0) Then (((<ApptlDt min>+59)-<CalllDt min>)) Else toNumber("Something Wrong")))))
    Hr Diff=If ((<ApptlDt sec>>=<CalllDt sec> AND <ApptlDt min>>=<CalllDt min> AND <ApptlDt hr>>=<CalllDt hr>) Then <ApptlDt hr>-<CalllDt hr> Else If ((<ApptlDt sec><<CalllDt sec> AND (<ApptlDt min>-1)>=<CalllDt min> AND <ApptlDt hr>>=<CalllDt hr>) Then (<ApptlDt hr>)-<CalllDt hr> Else If ((<ApptlDt sec><<CalllDt sec> AND (<ApptlDt min>-1)<<CalllDt min> AND (<ApptlDt hr>-1)>=<CalllDt hr>) Then (<ApptlDt hr>-1)-<CalllDt hr> Else toNumber("Something Wrong"))))
    Time Difference= DaysBetween(<ApptlDt Time>,<CallDt Time>)+" Day/s "+ <Hr Diff>+":"+<Min Diff>+":"+<Sec Diff>

  • ArrayList, the same old newbie questions..

    I get this:
    Exception in thread "main" java.lang.NoClassDefFoundError: ArrayLists/java
    When trying to run a good friend of mine 's code:
    import java.util.*;
    /** Browser history class. This class functions
    * linearly, to store and get all names.
    class BrowserHistory
         private ArrayList backHistory, forwardHistory;
         private Object currentPage = "";
         public BrowserHistory()
              backHistory = new ArrayList();
              forwardHistory = new ArrayList();
         public void newURL(String url)
              if (currentPage.equals(null) || currentPage.equals(""))
                   //Do nothing
              else
                   backHistory.add(0,currentPage);
              currentPage = url;
              forwardHistory.clear();
         public String forward()
              backHistory.add(0,currentPage);
              currentPage = forwardHistory.get(0);
              forwardHistory.remove(0);
              return (String)currentPage;
         public String back()
              forwardHistory.add(0,currentPage);
              currentPage = backHistory.get(0);
              backHistory.remove(0);
              return (String)currentPage;
         public boolean backIsEmpty()
              return backHistory.isEmpty();
         public boolean forwardIsEmpty()
              return forwardHistory.isEmpty();
    Instantiation of the ArrayList class seems to be the problem, but I can't find a solution.

    There can be only 2 problems with this:
    1.) Your classpath is incorrect.Probable.
    2.) Your JDK version is old and does not contain the
    Collection framework classes.JDK V. 1.4.
    Thanks a lot, Vikas.
    Vikas

  • 'Max identity limit reached for same contact number' - question

    Hi everyone, I need some help figuring out what this error means. It happend ever since I switched from pay as you go to pay monthly a while back. When O2 made the switch I noticed some weird behavoir on my account, for example every time I log in to O2.co.uk I have to reset my password regardless if it is correct or not, and also the iphone app has never seemded to work for me. I found this error the other day trying to reset my contact details and I think it may be related.http://imgur.com/igeW5kI Any information on how to fix this would be really helpful as I am not sure what exactly has happened here.. Thanks all,Dave    

    Hi I am not sure at all .....though I do know IMgur means an Internet Image sharing website....Are you actually trying to log into My O2? http://www.o2.co.uk/myo2Maybe you need to contact O2 and ask them to look at reprovisioning your account. Its the only other thing I can think of. I presume you have rebooted your phone numerous times?http://www.o2.co.uk/contactus
     

  • A few questions before I buy a new iMac/Mac mini and sign up for Creative Cloud.

    Hello Everyone,
    I am looking to purchase a new Apple computer and sign up for Creative Cloud within the next week and I have a few questions that should be answered before I proceed.
    My wife and I own a business and we will be using the CS6 apps to create brochures, Constant Contact mailings, product package inserts, edit product photography for print and web use, and short HD how-to videos. We are not graphics professionals or power users and wont be doing anything too complicated.
    Any help and answers will be greatly appreciated.
    I will start with the hardware questions first:
    I am trying to decide between the iMac and the Mac mini.
    The iMac is a 2.7Ghz Quad-core Intel core i5 and comes with 4GB of memory that is expandable to 16GB, which I will do for sure. It comes with a Radeon HD 6770M graphics card with 512MB of GDDR5 memory(not upgradable), and a 1TB HDD that runs at 7200RPM. This unit meets the specs required.
    The 2.5Ghz Mac Mini comes with 4GB of memory that is expandable to 8GB, I will also do this. It has a Radeon HD 6630M graphics card with 256MB of GDDR5 memory(not upgradable), and a 500GB HDD that runs at 5400RPM. This unit meets all the spec(I think) except for the speed of the HDD.
    Question: Will the mini run the software without too much of an issue considering the speed of the HDD?
    Question: Will the iMac run the software significantly better to justify the price difference?
    I already have 1 mini(purchased 4 months ago, with the same specs listed above) and will be purchasing a second computer for my wifes desk. If the mini will run CS6 fine, that is great and we can save a few bucks. If my mini will not run CS6 well, I will get the iMac for her desk as she will be doing the bulk of the work in that regard anyway.
    Now a couple of software questions.
    After reading hundreds of reviews and forum posts over the last few days I have seen many people having this or that issue. It seems to me that most of the issues are because of upgrades from Lion to Mountian Lion after installing CS6 first or trying to open CS3,4,5 files in CS6.
    If you want to know what issues have me concerned take a look at just this one forum:
    http://blogs.adobe.com/jnack/2012/07/adobe-cs-apps-mountain-lion-no-known-issues.html
    Similar issues are discussed in the Apple forums as well as many other places around the web.
    I am not a computer professional but I know enough to maintain my systems and keep them running smoothly.
    We do not have any Adobe software installed on my mini and will not be opening any files from previous versions of Adobe product in the new CS6 software. These will be a clean installs on pristine systems running fully updated Mountian Lion OS's on both machines and creating new files from scratch.
    Question: Should I be expecting any issues like the ones I have read in the forums and blogs or are these just the normal things that happen when upgrading to new software with multiple hardware configurations?
    My feeling is that we will not be having too much of a problem due to the clean installs and no files from previous versions.
    Next up, the Creative Cloud(CC) FAQ states that you can install on 2 machines but can't open stuff at the same time.
    Question: Does this mean we can't be using any CS6 apps at the same time or just not using the same app at the same time?
    Example: PS and PS on both machines at same time = No, PS on one and Dreamweaver on the other at the same time=Yes?
    The CC FAQ page says Adobe will add Lightroom 4 later in 2012 while the main CC page lists it as available now.
    Question: Which is true?
    My mini is registered to me, with my name, iTunes account, Apple ID etc.
    Question: Do I need to do the initial set-up of the new machine with all my information to ensure the CS6 suite works on both machines? Do the computers need to be registered(as far as Apple configuration is concerned) to same person for them to work on one CC account or can I install CS6 on any 2 machines regardless of how they were initially set-up?
    This may seem like a silly question but I want to avoid any problems before they happen.
    Well, those are all of my questions at the moment. To anyone who made it this far in my looooong post, Thank You so much for your time. I appreciate your expertise and knowledge and hope that you can help me make this decision.
    Cheers,
    Alex Bogdan

    Alex,
    I'll try and answer your questions as best I can.
    Qn 1 Which Mac.
    Ans:- As I understand it both units will run Adobe CS6.
              Which one really depends on what you wand from CS6. If you are looking for high end demand and performance, then I would go for the IMac
              Your Specs for the Imac are right. However if you buy your IMac straight from Apple there are even higher specs.
              You can get:-
                                  3.4 GHz i7 processor rather than the i5
                                   2GB video card as opposed to a 1Gb video card.
                                   Of course such a model will cost you more.
              In the end it is needs compared with money to spend. That is only a decision you cam make.
    Q2:- Will the higher cost for the Imac justify copst.
    Ans:- Again it depends on what demands you intend to make on the hardware and software.
              But I note you have a business and if that businees expects to high demand and high speedy performance then I suspect the Imac would be more able to provide your needs.
              Again only you will know the answer to that.
    Q3:- Questions about CS6 reliability
    Ans:- I have been with Adobe for way over 10 years.
             Speaking, only for myself, it is the most reliable software on the market.
              It is true that if you look down this form, like any other and I am thinking about the Apple discussions forum, you will find numerous instances of problems.
              Again this is only my opinion, but although all these problems are real for the individuals:-
              First it is not clear why they have the problem e.g. what have they done or not done.
              Second, they are in the minority of the total users using the hardware / software.
              The only problem I am aware of with CS6 is Acrobat X. I understand it has been sorted Adobe, however it cost me so much work I have removed it from my system and reverted to Acrobat 9
              So what I am saying is that there are only two comapnies I rely 100% on: They are Adobe and Apple.
             So if you are happy with my opinion I would not worry about Adobe CS6
    Qn 4:- CS6 0n 2 machines.
    Ans:- Yes you will not be able to run the same program similtaneosly.
               I believe, if it is important that you do run the same program together, that you can acquire a further licience from Adobe to do that.
               You would need to contact Adobe about that.
    Qn 5:- Lightroom 4
    Ans:- Lightroom is now available as part of Creative Cloud.
    Qn 6:- Set up for individual machines
    Ans:- I do not believe you do. Once you have set up your Creative Cloud account you go to the apps site and download the apps for each machine.
              Each machine downloads the apps and your machine and the apps are registered by Adobe.
             Here is something that you may want to know:-
              Because I was so unhappy loosing all the Acrobat data with Acrobat X I ended up deleting Acrobat X
              However as far as Creative Cloud is concered Acrobat X is still on my machine.
              It is not a problem for me because I am happy with Acrobat 9, it fullfils my needs and has not crashed and lost me all my bookmarks.
              However here is the point:-
              Adobe, when there was a problem with Acrobat X requested that no-one deletes the application.
             Though I do not know for certain I believe registration of the apps you have with Creative Cloud are registered with Creative Cloud in their database. Therefore were you to delete an app, it will still be registered with Creative Cloud and you will not be able to download a further copy even though the app is no longer on your    machine.
              Therefore it maybe not a good idea to delete an app when you no longer have a use for it. If you want it back I suspect you will have to contact Adobe Support
    Personal Comment:-
              It is true many unfortunately have had all sorts of problems, including me with Acrobat X.
              That said, Creative Cloud in my view has been a major advance in how Adobe delivers software. I have no regrets with signing up to Creative Cloud and I expect to remain with it.
    Hope all of that goes some way to answering your questions.

  • Apple ID security questions

    can anyone help me on how to reset my apple ID security questions. i dont have a recovery email. all the steps are very complicated.i have tried reset-ing my password and all but the security question is still the same.

    Reset security questions
    http://support.apple.com/kb/HT5312
    If you do not have a Rescue email, you need to contact apple support, they will guide you through the process of resetting your security questions.
    https://ssl.apple.com/emea/support/itunes/contact.html

  • Can I run Release Candidate (19.02), Beta, Nightly, Aurora and ESR versions on the same computer?

    I know I can run the Beta and Nightly together on the same computer because they are installed in different directories. What I do then is that I have a Profile for each version. What I do is I run FireFox.exe -ProfileManager when I start either the Beta and Nightly builds.
    My Question is can I also install the Aurora, Release Candidate and ESR versions on the same computer like I do with the Beta and Nightly? If so, how do I go about installing them in different directories? I will create new profiles for each version. What I then do is, copy everything in my original Profile to the newly create profiles so I can keep all my plugin/addons, themes, bookmarks, etc. the same.
    Next question, (I think I know the answer but I just want to make sure) now can I sync my bookmarks from each of the different profiles that I created?
    Secondly, I now I can do the ABOUT:CONFIG in the address bar of Firefox, does anyone have any idea where I can read up on what each entry means? Also, are there any other secrets in Firefox, similar to the ABOUT:CONFIG trick? I know of one app where you can do ABOUT:ME, but that's all I know.
    I know this has been asked billions of times, but I also have to ask. Is there any chance at all that Firefox, Thunderbird, and/or Seamonkey will be ever release for the iOS from Apple? I know that it's impossible, but maybe someone MIGHT have some positive thoughts on this?
    Lastly, I know this is off topic, but I'll give it a shot. I'm using Outlook 2013, does anyone know if Outlook can handle Newsgroups? The reason why I ask is because I've just learned that there are a ton of newsgroups for Firefox, ThunderBird, and SeaMonkey. I would like to, somehow, get those Newsgroups in Outlook 2013. I already get allot of the feeds for other things, so that's not a problem.
    I would appreciate it very much if anyone could help me with these issues.
    Thank You.

    You can consider to use Firefox Sync to sync all the profiles.
    You can do a custom install of each version and install each version in its own program folder.<br />
    Safest is to modify the desktop shortcut and add -P "profile name" to the command line to start each version with its own profile.<br />
    Be careful with clicking a file in Windows Explorer to open the default browser, so make sure to select the correct profile in the profile manager and check the don't ask setting.
    * http://kb.mozillazine.org/Shortcut_to_a_specific_profile
    * http://kb.mozillazine.org/Using_multiple_profiles_-_Firefox
    * http://kb.mozillazine.org/Bypassing_the_Profile_Manager
    * http://kb.mozillazine.org/Opening_a_new_instance_of_Firefox_with_another_profile

  • Two separate versions of the same file corrupted in different ways...

    I was working on a Photoshop CS4 file last night that was created in CS4 and has only been opened on this machine in CS4. I saved the file and closed Photoshop. When I open the file today, all my layers are gone, flattened into one Background layer, and the image looks like colored TV static. On top of that, the separate, older version of this file with a different name (created earlier in the week on the same machine in the same CS4) will not open at all - I get the error message, "Could not complete your request because the file is empty" and the file size has mysteriously shrunk to 76 KB from 20+ MB. What happened?! I'm guessing these files are corrupted beyond recovery, but why and how did this happen? Has anyone had this or a similar problem? I want to know how to prevent this from happening in the future. Please help! Thank you. =)

    Thanks for the suggestion, Chris.
    Same issue, new question - don't ask me why I did this, but while both Photoshop and the now corrupted file were open, I changed the name of the folder containing the file, then continued to save the open version of the file without first closing it and reopening it from the newly renamed folder. Could this have caused both files in that folder to become corrupted in different ways? The other file that gives me the "file is empty" error was not open at the time, but it was in that folder. I'm thinking maybe by changing the path to the files while Photoshop was running, that could have triggered this. ?? I have 3 1TB internal drives raided to read as 1 drive, so I'm really hoping that one of these disks is not dying on me as you suggested. I was also backing up an external drive using BackBlaze when this all occurred - any possible connection? How can I find out if one of my three raided drives (and which one) might be going bad?
    Thanks!!

  • Multiple Choice Question Issues

    I am embedding a quiz within my presentation with individual
    question slides interspersed throughout the presentation. These
    questions are pulled from a couple of different question pools. I
    want to use a multiple choice question that branches to different
    parts of the presentation depending on the correct or incorrect
    answer. If the user answers the question incorrectly, I send them
    to the next slide which has two click boxes. On this slide, they
    can either click one box to move back in the presentation and
    review the material or click another box to move them forward to
    another multiple choice question. If they go back and review the
    information, they would eventually return to the same multiple
    choice question to try it again. (This is the desired navigation,
    anyway.)
    What actually happens is that when the user goes back to
    review the information and then finally returns to the question,
    the question has not been reset and still shows the incorrect
    answer marked with no way to clear it.
    I have used this same navigation on a drag-and-drop type
    question and it works fine. All the settings for the
    multiple-choice questions are set the same as in the drag-and-drop
    question.
    Any help in making this work correctly would be greatly
    appreciated.

    I can't see where that error might arise except possibly for a case where an AS2 radio is used since it appears they don't have a group property, but an AS3 radio button does.  Check to be sure that your Flash Publish Settings are set to use AS3.  AS3 errors normally have error numbers which also makes the error you quoted ring of an AS2 scenario.
    Here's a link to the file I made based on your code that works fine and doesn't display the errors you mention.  It is a CS3 file.
    http://www.nedwebs.com/Flash/AS3_Radios.fla

  • Is it OK to have two SBS Servers with same name, on different subnets but connected over a VPN?

    Hi Everyone,
                       I'm just about to connect up two SBS 2011 Servers with the same server name but on different subnets & domains over a VPN.
    So for example both servers will have the name Server01, one would have an ip address of 192.168.85.5, the other 192.168.86.5, they both then would be connected over a VPN.
    Can anyone foresee any issues with this configuration, like DNS & DHCP requests, adding new machines to the domain, mapping drives etc.
    Many thanks,
    Nick

    Hi Larry & Strike First,
                      Thank you for your responses. I understand that this is an unusual situation. Basically I've recently taken over the IT support for this client. The client has just had a new phone system installed
    & are asking if they can speak to each office internally, which can easily be done once I setup the VPN.
    However I noticed whilst looking at this further that the Server names are the same, hence my question?
    Am I right in saying that providing the workstations  have a trust relationship with their own domain controllers through their individual domains on separate subnets, that hopefully there shouldn't be any DNS issues between the two domains and Servers?
    I could build a new VM if you feel it would be better practice to do so?
    Many thanks for your assistance,
    Nick

  • How to call same vi for 4 times in a single vi?

    Hi.. I ve one vi named 1D array Mult. I need to call this vi four times in another vi program. The problem i ve experienced is all the four vi outputs are same.
     My question is: How to call the same vi for many number of times?
    Thanks in advance
    Solved!
    Go to Solution.

    There is no problem (programmatically) with calling the same VI by placing it 4 times onto the block diagram.  You do not have to rename them VI1, VI2, VIn if they all do the same thing, as you have done here with 1D-arrayMult...  It's just messy.
    You may need to make re-entrant in certain cases.
    A better way to do it would of course be to use a For loop as shown (I left what you did in tact).
    Are the two formula nodes identical?  I didn't check.  If so, use a for loop there too.  Build your A and B matrices to a 3D array and auto-index in For loop - single instance of your formula node.
    It is quite concerning what you have done in your 1-D Array VI.  I have no idea what it is supposed to be doing, but it appears to be nothing; it is completely wrong.
    There are backwards wires, your While loop does nothing (there is not shift-register) - how will it Stop?!, your cases 0, 1 and 2 are all the same!  Timer of 1000ms??! hmm..
    If you are trying to multiply two matrices (arrays) together then just use the native LV function to do it and to add them at the end try this:
    Hope this helps you!
    Message Edited by battler. on 03-12-2010 03:49 AM

Maybe you are looking for

  • CUCM 8.6 Integration to Nortel CS2100 SE16

    Hey All, Previously we had integration to a Nortel CS2100 working great via a SIP trunk. Recently we had to upgrade the Nortel to SE16 and since then I have been having an issue with the following call flow. 1. Call originates from Cisco IP(SIP) phon

  • No SID found for value 'GB' of characteristic 0CURRENCY

    Dear Experts, When i do the BW data load. I got the error. Seems the error related to no master data is available for SID creation. I got the below error message. Please help me to resolve. Points will be awarded. Your help is much appreciated. Thank

  • I5 17''MBP  gets blue screen during install windows 7 32 bit

    Hello all: I heard that quite many people get classic windows' "blue screen" during using windows , whatever Windows XP, Vista or 7. But now i face the "blue screen" during install Windows 7, which means I even can not complete installation. I bought

  • Has anyone configured to send WSIB with FAX, if so ?

    We would like to send the WSIB form thru the FAX option.  I really am not too sure where to start for configuration and what our options are WE DO currently use SCOT to send email alert

  • Trouble with opening a 2nd page of Safari and getting Wx or Stock updates?

    My ipod touch says it is connected to internet through my home wifi router and all the items under Settings>wifi seem correct. My windows laptop works correctly on the same router. But when I open Safari on the Touch, the first page of the web site o