2nd opinion

Hi. When I get feedback from my instructor, she sometimes posts codes as examples. Sometimes I have trouble getting her codes to compile. The code below is an example of such feedback. I really wanted to see this run, but I get error messages. I asked her about it, and her reply was that it compiles and runs just fine, but I might have a copy/paste error or word wrapping error. Does anyone know where the problems are? The error messages that I receive follow the code. Thanks. You should be able to copy and paste this code and have a working program. Do you?
I posted the class with the error before and received help about fixing it, but still could not get it right. Since the teacher has now said there is nothing wrong, I posted the entire program instead of the class alone.
// save the source code in a file called, "Inventory4.java"
import java.util.Arrays;
import java.awt.*;
import java.awt.event.*;
import javax.swing.*;
public class Inventory4 {
public static void main(String[] args) {
System.out.println("\nCheckPoint: Inventory Part 4");
System.out.println("My DVD Collection\n");
Movie dvd = null;
Inventory inventory = new Inventory();
dvd = new Movie(1, "What a Girl Wants", 18, 11.99f, 2003);
System.out.println(dvd);
inventory.addMovie(dvd);
dvd = new Movie(2, "Just Married", 14, 13.85f, 2003);
System.out.println(dvd);
inventory.addMovie(dvd);
dvd = new Movie(3, "Shrek 3", 1, 19.99f, 2007);
System.out.println(dvd);
inventory.addMovie(dvd);
dvd = new Movie(4, "Superbad", 15, 19.99f, 2007);
inventory.addMovie(dvd);
System.out.println(dvd);
dvd = new Movie(5, "Holiday", 10, 21.99f, 2006);
System.out.println(dvd);
inventory.addMovie(dvd);
dvd = new Movie(6, "Monster in Law", 1, 7.99f, 2005);
System.out.println(dvd);
System.out.println("\nEnd of DVD collection!\n");
inventory.addMovie(dvd);
inventory.printInventory();
new InventoryGUI(inventory);
class DVD {
private int itemNo;
private String title;
private int inStock;
private float unitPrice;
DVD(int itemNo, String title, int inStock, float unitPrice) {
this.itemNo = itemNo;
this.title = title;
this.inStock = inStock;
this.unitPrice = unitPrice;
public int getItemNo() { return itemNo; }
public String getTitle() { return title; }
public int getInStock() { return inStock; }
public float getUnitPrice() { return unitPrice; }
public float value() {
return inStock * unitPrice;
public String toString() {
return String.format("itemNo=%2d title=%-22s inStock=%3d price=$%7.2f value=$%8.2f",
itemNo, title, inStock, unitPrice, value());
} // end DVD
class Inventory {
private final int INVENTORY_SIZE = 30;
private DVD[] items;
private int numItems;
Inventory() {
items = new Movie[INVENTORY_SIZE];
numItems = 0;
public int getNumItems() {
return numItems;
public DVD getDVD(int n) {
return items[n];
public void addMovie(DVD item) {
items[numItems] = item;
++numItems;
public double value() {
double sumOfInventory = 0.0;
for (int i = 0; i < numItems; i++)
sumOfInventory += items.value();
return sumOfInventory;
public void printInventory() {
System.out.println("\nMy DVD Inventory\n");
if (numItems <= 0) {
System.out.println("Inventory is empty.\n");
} else {
for (int i = 0; i < numItems; i++)
System.out.printf("%3d %s\n", i, items);
System.out.printf("\nTotal value in inventory is $%,.2f\n\n", value());
class Movie extends DVD {
private int movieYear;
public Movie(int MovieID, String itemName, int quantityOnHand, float itemPrice, int year) {
super(MovieID, itemName, quantityOnHand, itemPrice);
this.movieYear = movieYear;
public void setYear(int year) {
movieYear = year;
public int getMovieYear() {
return movieYear;
public float value() {
return super.value() + restockingFee();
public float restockingFee() {
return super.value() * 0.05f;
class InventoryGUI extends JFrame
private Inventory theInventory;
private int index = 0;
private final JLabel itemNumberLabel = new JLabel(" Item Number:");
private JTextField itemNumberText;
private final JLabel prodnameLabel = new JLabel(" Product Name:");
private JTextField prodnameText;
private final JLabel prodpriceLabel = new JLabel(" Price:");
private JTextField prodpriceText;
private final JLabel numinstockLabel = new JLabel(" Number in Stock:");
private JTextField numinstockText;
private final JLabel valueLabel = new JLabel(" Value:");
private JTextField valueText;
private final JLabel restockingFeeLabel = new JLabel(" Restocking Fee:");
private JTextField restockingFeeText;
private final JLabel totalValueLabel = new JLabel(" Inventory Total Value:");
private JTextField totalValueText;
private JPanel centerPanel;
private JPanel buttonPanel;
InventoryGUI(Inventory inventory) {
super("My Movie Inventory");
final Dimension dim = new Dimension(140, 20);
final FlowLayout flo = new FlowLayout(FlowLayout.LEFT);
JPanel jp;
theInventory = inventory;
centerPanel = new JPanel();
centerPanel.setLayout(new BoxLayout(centerPanel, BoxLayout.Y_AXIS));
buttonPanel = new JPanel();
JButton nextButton = new JButton("Next");
nextButton.addActionListener(new NextButtonHandler());
buttonPanel.add(nextButton);
centerPanel.add(buttonPanel);
jp = new JPanel(flo);
itemNumberLabel.setPreferredSize(dim);
jp.add(itemNumberLabel);
itemNumberText = new JTextField(3);
itemNumberText.setEditable(false);
jp.add(itemNumberText);
centerPanel.add(jp);
jp = new JPanel(flo);
prodnameLabel.setPreferredSize(dim);
jp.add(prodnameLabel);
prodnameText = new JTextField(17);
prodnameText.setEditable(false);
jp.add(prodnameText);
centerPanel.add(jp);
jp = new JPanel(flo);
prodpriceLabel.setPreferredSize(dim);
jp.add(prodpriceLabel);
prodpriceText = new JTextField(17);
prodpriceText.setEditable(false);
jp.add(prodpriceText);
centerPanel.add(jp);
jp = new JPanel(flo);
numinstockLabel.setPreferredSize(dim);
jp.add(numinstockLabel);
numinstockText = new JTextField(5);
numinstockText.setEditable(false);
jp.add(numinstockText);
centerPanel.add(jp);
jp = new JPanel(flo);
restockingFeeLabel.setPreferredSize(dim);
jp.add(restockingFeeLabel);
restockingFeeText = new JTextField(17);
restockingFeeText.setEditable(false);
jp.add(restockingFeeText);
centerPanel.add(jp);
jp = new JPanel(flo);
valueLabel.setPreferredSize(dim);
jp.add(valueLabel);
valueText = new JTextField(17);
valueText.setEditable(false);
jp.add(valueText);
centerPanel.add(jp);
jp = new JPanel(flo);
totalValueLabel.setPreferredSize(dim);
jp.add(totalValueLabel);
totalValueText = new JTextField(17);
totalValueText.setEditable(false);
jp.add(totalValueText);
centerPanel.add(jp);
setContentPane(centerPanel);
repaintGUI();
setDefaultCloseOperation(EXIT_ON_CLOSE);
setSize(360, 300);
setResizable(false);
setLocationRelativeTo(null);
setVisible(true);
public void repaintGUI() {
Movie temp = (Movie) theInventory.getDVD(index);
if (temp != null) {
itemNumberText.setText("" + temp.getItemNo());
prodnameText.setText(temp.getTitle());
prodpriceText.setText(String.format("$%.2f", temp.getUnitPrice()));
restockingFeeText.setText(String.format("$%.2f", temp.restockingFee()));
numinstockText.setText("" + temp.getInStock());
valueText.setText(String.format("$%.2f", temp.value()));
totalValueText.setText(String.format("$%.2f", theInventory.value()));
class NextButtonHandler implements ActionListener {
public void actionPerformed(ActionEvent e) {
int numItems = theInventory.getNumItems();
index = (++index) % numItems;
repaintGUI();
ERROR MESSAGES:
Inventory4.java:108: cannot find symbol
????symbol : method value()
????location: class DVD[]
????sumOfInventory += items.value();
???? ^
????Inventory4.java:108: inconvertible types
????found : <nulltype>
????required: double
????sumOfInventory += items.value();
???? ^
????2 errors
???? ----jGRASP wedge2: exit code for process is 1.
----jGRASP: operation complete.

he just wanted to help teach you instead of giving you the easy answer.if by "he", you mean the instructor, i would disagree. "it's correct as posted" sounds like a dismissal to me, not a teaching moment.
this is emphatically not a cut & paste error.
and personally i don't give much credit to anybody who comes here to ask about compiler problems. The compiler is very good about spelling out the file and line number at which a problem occurs. how hard can it be to open an editor or IDE, go to that line, and think hard about one line of code knowing what the complaint is about? you'll figure it out a lot faster if you just look at the code than coming here and waiting for answers passively.
%

Similar Messages

  • I need 2nd opinion and HELP

    Hi,
    This is a little long so please bear with me.
    I work for an organization that has 3 shifts. I designed an Access 2010 database for Overtime that has multiple tables consisting of the Supervisors, the 3 different shifts, and for each of the Pay Periods for each shift. Example:
    Shift 1:
    Shift 1 Employee Table, 26 different Pay Period Tables and a Master OT Table which all 26 tables are related.
    Shift 2 and Shift 3 same as above and a Master OT Table where all 3 OT Tables relate to.
    I created InfoPath Forms in a library that is unique for each shift on SharePoint 2010 with the appropriate connections to the database and successfully published the forms to the unique libraries.
    The problem that I am having is that once the form is submitted to the database, how do I start a workflow with notification to the appropriate supervisor that a new OT Request was submitted?
    Also, due to Union/Labor concerns all OT Requests can not be seen by other Union Members. How do I restrict view so that only the person who submitted the form can do a query and check the status of their request?
    This is how I have the InfoPath form set up.
    Employee makes the initial request - Submits form.
    Supervisor opens form and goes to Supervisor Review and either approves or denies the OT Request.
    If approved, - OT Request goes to the Timekeepers for review and state in the form that the time was posted on the Employees timecard.
    I want to make the form so that only the Employee, Supervisor and Timekeepers can view the form.
    Oh, and for SharePoint 2010 I due to IT restrictions, we do not support SharePoint Designer. I do however have full Ownership of the webpage and pretty much have a semi/unrestricted hand in setting up the site.
    Any help will be GREATLY appreciated!

    Perhaps you could try installing Nintex Workflows.

  • Has my HDD died... i need a 2nd opinion...

    i had a 5g (30gig iPoD)... omg i luv'd it... but for some reason.. a year after buying it the HDD wont store anything... it restores... i put stuff on it... but says nothing on ipod... i reboot ipod.. and its like factory settings, pick a lanuage and says nothing in it... and when it does.. some how 10 songs is using 27 gig... no matter how many time i restore it... and when it does store something... 2gig later it says its full... then i jump on ipod... it says empty... i put it back into pc it's somethimes there... sometimes when i restore it... it says 20gig out of 27 is in use... is there a utility i can download that will fix this.. or is this a scam that apple do to make u buy another... cause $350 doesnt grow on trees, and these apples dont grow on trees either.. lol
    Message was edited by: Nevimus

    see doing a format (not quick format) instead of restore helps ..

  • At my wits end with this! HELP!

    Sorry folks if this is more of the same and a little long winded.
    I transferred from O2 to BT due to O2 BB being taken over by Sky.  I opted for BT line and Infinity as I stream movies and all the usual that comes with the internet these days.
    So the engineer was booked for May 7th and he duly arrived and installed Infinity.  All was well with great speed at around 37mbps.  This would be great for all my needs.  I have a number of wireless music streamers around the house and it would be great to have them all up and running again. Then this happens:
    15th May -
    07.30
    No access
    17th May
    19:00
    Slow connection
    19th May
    10:30
    Slow Connection
    20th May
    15:50
    0.05DL/No net access
    21st May
    07:30
    No Net access
    21st May
    07:50
    11DL
    27th May
    20:25
    No net access
    9th June
    23:45
    No net access/0.02DL
    10th June
    07:45
    No net access
    10th June
    19:45
    No net access
    11th June
    22:00
    0.09DL
    12th June
    22:35-23:45
    No net access (6 resets)
    15th June
    15:15
    0.05DL
    18th June
    21:15
    0DL
    19th June
    17:15
    No net access
    22nd June
    01:00am
    No net access
    23rd June
    10:45
    No net access
    25th June
    18:40
    No net access
    28th June
    08:10
    0.02DL
    28th June
    17:00
    0.02DL
    28th June
    22:50
    1.17DL
    29th June
    19:57
    0.59DL
    29th June
    21:01
    0.59DL
    29th June
    22:50
    No net access
    29th June
    23:00
    0.38DL
    29th June
    23:10
    1.5DL
    30th June
    09:25
    No access
    30th June
    17:30
    0.01DL
    30th June
    23:45
    0.59DL
    1st July
    16:30
    0.64DL
    2nd July
    08:32
    No net access
    2nd July
    08:42
    No access
    I am now on my third HH3.  I have called customer services many times and whilst they are sympathetic they say I have to take it up with Technical.  I have called technical countless times and am fed up with the constant options of:
    Reset your HH3
    Reset your HH3 then reset your openreach box.
    Reset your openreach box then your HH3.
    Reset your PC
    Try your connection wired.
    Unscrew your line socket and plug in a microfilter!
    I take exception to being told that it is a known fact that wireless will get weaker the further away you are from the hub, however, when I was with O2 I was able to use my tablet, phone and laptop at the bottom of my garden which is 15-20 metres away from the house let alone the hub.
    I am beyond frustration with this situation!  I would appreciate any help at all.  When it works I get great speeds, my wireless network of music streamers, xbox, TV etc all work perfectly.  The problem is the whole thing collapses far too regularly.
    As mentioned before I have made countless calls to customer care and they just tell me that BT has the best network in the UK with the best wireless hub fit for the job.
    Oh and whilst I am at it I am still waiting for my M&S voucher.  I’ve made a few calls about that too and no one seems to even know what I am talking about!
    Any help would be greatly appreciated!
    Steve

    The reason for the suggestion is to be able to pinpoint exactly what the problem is. Without that 2nd opinion of the other router then it's just guesswork.
    What you have to do is set the wireless channel to a fixed one - 1, 6, or 11 and see which one of those three works best.
    Next you should consider setting your ip addresses to static instead of using DHCP.
    If you found this post helpful, please click on the star on the left
    If not, I'll try again

  • Best Cooling Options

    Sorry to Bother All again,
    I kno that my PSU is shite and I am working around a replacement, but my processor heat on PC Alert 4 is showing it in the 50's I am hoping this is incorrect as I have removed my big Cooler Master Jet and inserted the OEM Heat Sink and Fan because of the power output.
    I have applied Thermal Paste onto the processor which is deisgned for this type of one, and I am shocked to see the heat so high....
    Is there another Heat Testing software I can use? to get a 2nd opinion.. at the moment I have taken side off and put my desk fan on max and allowing that to blow some cold air in there to help... guess wot it aint doing jack shite.... HELP is again needed.
    I will put my coolermaster back in when I know I have the power to support it, but the OEM fan should do a decent JOB!

    Most advice I have seen say 50's is ok.  
    Maybe you got too much or too little heat sink compound on it.
    If it is temporary, you could install the coolermaster, disconnect a case fan, leave the side off.
    Many advise http://mbm.livewiredev.com/ to display cpu temperatures, put I think it uses the same sensor.  I do not think you can get another sensor where it would be useful.

  • One of my screen's LEDs went out. Also, moved to Turkey.

    Hello.
    I have a 15" Macbook Pro. (late '08)
    One of the LEDs under my screen broke, so I obviously have to get it repaired.
    I have to add that the part of the screen comes back on when I move the screen, and will stay on for a while. So I don't know how that is a broken LED.
    Here's the tricky part:
    I moved to Turkey about two months ago.
    Why that is tricky.
    Apparently, because I bought my macbook in the US, and want to claim warranty in another country, Artı service in Istanbul has to check with Apple USA, to see if they are covering the costs.
    Apple USA has yet to reply. (it's been 6 business days.)
    Even if Apple USA accepts the costs, Artı service (official Apple reseller) has to place an order for the LED, which, according to them, will take at least 3 weeks to arrive and it will take an added unspecified time to replace the broken LED with the new one.
    As for my question: Is this normal?
    I will be without my computer for more than a month, by the looks of it, and have no idea if the costs will be covered.
    What my screen looks like.
    http://imgur.com/Z7Zn9.jpg
    Message was edited by: Rauf Sat

    any apple warranty on the machine - including applecare, is worldwide coverage, or should be anyway.
    the issue lies in that apple works with 3rd party companies to administer the distribution & servicing.
    http://www.apple.com/euro/cemea/
    so this may not be out of line what they told you & they will likely replace the whole screen panel to fix it. it's all one unit & part # as far as apple is concerned anyway.
    get a 2nd opinion, call the phone number for Turkey listed under that link, & good luck!

  • Scrambled Screen from a virus?

    I just want to report a possible virus attack. I'm skeptical that this could be the problem, but ever since the antivirus scan, the problem has been eliminated. Here's how it all happened:
    On Wednesday night:
    1. I woke the computer up from sleep mode and the screen was completely scrambled. I was able to move the mouse, but I wasn't able to control any functions and could not move any windows.
    2. I did a hard shutdown by holding down the power button.
    3. restarted and cleared the PRAM. during startup, the Apple symbol was scrambled, but the login screen was not.
    4. I restarted again and reset the SMC. The same symptoms were there. So, I entered the desktop and everything looked fine. But then when I woke from sleep mode, the screen was scrambled.
    5. I inserted the Snow Leopard installer disk and ran the disk utility. It found major problems and was able to fix them.
    6. I restarted the computer and everything was starting up perfectly. I entered the desktop and after a few minutes the screen began to flash repeatedly and then went back to a scrambled screen. This symptom did not come from exiting from sleep mode.
    7. I ran the Snow Leopard installer disk utility again and found no problems with the hard drive.
    8. I ran a hardware test (AHT) with one of the disks that came with my MacBook Pro to rule out hardware problems. Everything passed the test.
    9. My next question was. Could this be a trojan virus? The symptoms just seemed to point at this. I restarted and while the screen was clear, I went into apple.com and found a freeware antivirus app called SOPHOS.
    10. I ran a scan and while it was scanning the problem happened again. I did a reboot, ran the antivirus app and found that it successfully quarantined 5 trojans. 4 of which were in my User-Library-Mail directory and one in my Downloads directory. I checked and the trojans were listed as Windows OS viruses. I eliminated these threats and now I no longer have this scrambled screen problem. Could this have been a virus attack?
    Today, when I look back through the console.app and under the Diagnostics and Usage Messages, I found that around the time of the last incident I had a error that reads:
    Configd(15) Sleep: Platform Failure Panic - AC 99
    com.apple.message.domain: com.apple.powermangement.sleep
    com.apple.message.signature: Platform Failure panic
    com.apple.message.result: Failure
    com.apple.message.uuid: 77F88BFE-0307-4C6A-A356-CB7D9B32CF42

    I found the solution to this problem.
    I first went to this link http://support.apple.com/kb/TS2377
    I could see on this page exactly what I was experiencing. It was a problem with my NVIDIA video card as mentioned in that apple document.
    I took my computer to an Apple store, the Genius ran a scan and found nothing wrong. I showed a print-out of the above support document to the Genius and he said that it wasn't a real document and just for customer information. I couldn't believe what I was hearing from this man and he refused to watch a video that I took on my iPod Touch of my Mac Book Pro screen showing the artifacts of scattered pixels on the screen.
    That same day, I took my computer to an apple certified service shop for a 2nd opinion. That guy then ran the same exact scan and then my computer completely shut down during the scan, it could not be restarted and he was not able to see the results of the video card test. He contacted Apple support and they said to send it to them in Texas. They completely replaced the video card along with the logic board since both boards are connected together. All this done free of charge. The problem has been fixed, no more artifacts on the screen as described in the above support link.
    I think the Genius at the Apple store needs to get his head examined.

  • Is there an issue with my MacBook Pro?

    Hi everyone,
    I have got a MBP-RD. (2.7 Ghz w 16Gb ram + SSD). I have been noticing some odd things which I will list below. I would like a 2nd opinion from the community.
    1. Hot Corners stop working at 'random' times. Restarting computer sometimes does nothing to fix this. I noticed that when this happens the dock can lose the magnification animation.
    2. There was an occasion where the battery ran out. When I plugged the power supply in the computer just kept on restarting. When I got the login screen, I could enter my password but then it would restart the Mac. I eventually got it after multiple tries.
    3. When loading my photos folder – in Finder – it takes ages to load and can cause everything else to become sluggish. There is a large number of files (>30k) in that folder, which I am trying to clear, but I didn't think it would slow the whole system down so much.
    4. I started to type this with 21% battery,now i have 9% left. I have only got Copy window running – as it prepares to copy about >30k files to an external HDD.
    I am just wondering if this are signs that I've got a lemon? If so I will book in a session at the Genius Bar.
    Thanks heaps.

    1. I do not know
    2.  you should allow at least a quarter of an hour to charge before trying to start the MBP, a large battery does not come easily above 2-3% and before that it will not start the MBP.
    3. I presume that "loading my photos" come from another disk to the SSD: the SSD writes are MUCH slower than the reads as long as Trim did not "prepare" the deleted file space. Read about specifics of SSD. WRITING A LARGE NUMBER OF FILES - EVEN SMALL ONES - WILL SUFFOCATE THE SSD.
    4. See 3.

  • Partitioning and compression

    What happens during the partition of an InfoCube? I mean, how will the data be stored after partition? Is it possible to do compression after a cube is partitioned?

    Pooja,
    Partition as in logical partition of the cube is just a logical way of grouping the data along the line of a particular infoobject to make data access faster (say by the fiscal year). So data is still stored in the cube but you will have different areas within in (logically) where data pertaining to a particular partition is stored. (Analogous to the logical partition on a hard disk)
    Compression relates to the aggregates created on the cube which in a way have similar logic to partitions and I think a compression can still be done after partition though would would want to get a 2nd opinion on that.
    Doniv

  • SAP ERP Brand New Installation

    In my company (relatively a small firm) we want to setup a ECC system in our lab in order to give Demo to our Business Objects customers.
    I am thinking to install IDES version so that we will have some out of box tables and data. If we go for a standard ECC installation, the tables (eg:customer,region,material) would be empty and that would be a pain to create data. Am i correct? Or do you have any 2nd opinion.
    Please advise.
    Thanks,
    Tilak

    Hello Tilak
    Have a look at this SAP note.
    1013702 - IDES BW 7.0 /SEM 6.0
    Read the Cross "Component Information" section and see if that is what you are looking for.
    Regarding the report using BEx, you probably need to check that with the BW specialist.
    Regards
    RB

  • My MacBook Pro can not find my internal hard drive.

    My computer does come on. And I have a MacBook Air 2009. Just some history, my computer froze on me one day. So I restart it and a screen with a folder and question mark showed up. So I called apple and got some trouble shooting done. Nothing worked. So they ended up sending me another installer disk. And that did not work. Could not find my internal hard drive. So I took it to a apple store and the guy who looked at it told me that it was water damaged and would cost $700 to fix. So I pushed it to the side for year and decided to take a further look into it recently. And found some information where people had the same issue and was advices their hard drive could be dead. So I'm thinking about getting a 2nd opinion and taking it some where else. I'm just wondering could I really just replace my hard drive and be fine with my computer? If its really water damaged wouldn't it not work? Does replacing the hard drive cost a lot to do?

    Its extremely unlikely your HD is water damaged, everything on your internals in your macbook Pro would FRY long before water seeped its way into your HD,....the HD circuitry on the outside of the HD however is another story.
    If your computer IS in fact water damaged, then yes, replacing the hard drive wouldnt fix anything.
    Replacing the HD yourself , IF your HD is dead and at fault, can be done by yourself easily and cost around $65.
    In any regard, on a 2009 computer....., 700$ could buy you a nice MUCH NEWER and faster like new refurbished MAC,........as such it would be best not to consider such an option.

  • Stripping out html from form submissions

    My web developer is using the attached code to strip/disallow
    html code from form submissions in an effort to prevent someone
    from posting dangerous scripts or code via a form or blog.
    Problem is, I DO want to at least allow people to post url
    links to external content like youtube videos, their own webstes,
    images etc.... Basically if it is something hosted AND viewed on a
    site other than mine I would like to give them the ability to link
    to it. How could I edit the code to allow links of this nature or
    is there a better way to do this?
    My developer has basically told me there is no other way. It
    is either disallow it all or open it up. I disagree with this and
    am looking for a 2nd opinion.

    url links are not html.
    Regular expressions are not my strength, but it looks like
    that function is simply replacing sets of angle brackets with empty
    strings.
    In other words, if your users submit
    http://somesite.com, that will not
    be affected by the function. However, if they submit <a href="
    http://somesite.com">, it will be
    transformed to href="
    http://somesite.com". In either
    case, it will be text, not a link.

  • Mail-in Rebate Scam

    I bought an Intuit Card Reader at the Verizon Store when I bought my iPhone.  I had a $30 mail-in rebate.  to calim the rebate, you have to sign up for service with Intuit, to use the card swiper.  After some hassle, I signed up and mailed in for the rebate.  After a couple of weeks, I received a message sying that my rebate request had been received and there was a link to check the status.
    The staus of the rebate was that it was invalid because the UPC had not been included.  This is false!  I included he original UPC from the box the device came in and I kept a phoptocopy of it.
    I can't find a way to contact Verizon at least to vent about this scam.
    Anyhow, don't trust any Verizon mail-in rebate progarms.

    For a 2nd opinion, I have always received my mail in rebates from Verizon, probably anywhere from 5-10 of them without any problems.
    Luckily for you, you kept a photocopy of the UPC code. Did you also keep a copy of the rebate form? Is there not some type of contact where to get/send additional information?
    When you click on the link, is there not some type of contact where to get/send additional information?
    Is there more than 1 code on the box? I have purchased several products with multiple bar codes on the box, which sometimes makes it unclear which is the correct code.

  • Awesome

    Just wanted to pop in here and share my experience thus far with BT Infinity 2. 
    I live on a fairly new estate in Rugby (Bilton Estates) and we've been forced to use really slow ADSL (1 - 3mb). Finally after 5+ years of slow frustrating internet we have fiber!
    Anyhow I ordered fiber back at the beginning of the month and it was activated and installed today. A contractor (not openreach, btw) came out and installed the new faceplate and hooked me up at the box. The whole install took less than 30 minutes and he did a great job.
    I am however not using the HH5 wireless, I disabled that and locked down the modem and I use my own router off that for a local network and it works awesome.
    Initial testing looks good. 74mb down, 10-20mb up.
    http://www.speedtest.net/my-result/3383447362
    Just figured I would post a good vibe post.
    R

    Yeah. Try labs.thinkbroadband.com/ispa if you like, for a 2nd opinion
    To say thanks for a helpful answer, please click the white star

  • Lync 2010 Screen sharing issues.

    hi all i am working on resolving a long standing problem that i have inherited form the previous admin.
    our Lync2010 infrastructure for the most part works great the only issue being when external users trying to do screen sharing and file transfers.
    after doing some testing with sharing and file transfers with at different locations this is what i have found.
    Internal ---> Internal ---- Works
    Internal ---> External ---- not work 
    Internal ---> External(On VPN) ---- work
    External ---> Internal ---- not work
    External ---> External ---- not work
    i checked the infrastructure setup.
    Public DNS A record AV.extdomain.com that points to an IP of our firewall 
    Firewall then NATS's the traffic on that IP to an IP allocated to the  NIC on the edge server in the DMZ over ports 443 / 3478 / 50000 - 59999
    AV.domain.com ---> xxx.xxx.183.117 ---> xxx.xxx.112.117 443/3478/50000-59900 (TCP + UDP)
    oddly when monitoring this i cant see any traffic flowing on this rule (this could be the issue)
    having reviewed some of my logs i found this entry with Snooper
    ms-client-diagnostics: 23; reason="Call failed to establish due to a media connectivity failure when one endpoint is internal and the other is remote";CallerMediaDebug="application-sharing:ICEWarn=0x80020,LocalSite=10.26.160.198:4481,RemoteSite=192.168.254.147:1552,PortRange=1025:65000,LocalLocation=1,RemoteLocation=2,FederationType=0"
    Content-Length: 0
    i also cant telnet onto the public IP of av.extdomain.com xxx.xxx.183.117 over 443 or 3478 or any of the others ports.
    am i right in thinking that AV ip address should be accepting connections over those ports and as it is not that's my problem?
    i may have answered it my self just wanted a 2nd opinion.
    Many thanks
    Gordon

    Some quick thoughts: Make sure those ports are bi-directional, meaning you have access both out and back in.  Make sure the NAT for those IPs works in both directions, meaning that if you nat 183.117 incoming to 112.117, then 112.117 on the way back
    out looks like 183.117.  Make sure that 3478 is UDP, not TCP.  Take those ports all the way up to 59,999.
    All that said, you should be able to telnet to av.domain.com on 443 from the outside and get a connection.  You won't get a result from a web browser as this isn't https, but a telnet should at least connect.  You won't be able to telnet to 3478
    because that's UDP, the other ports are dynamic so don't worry about them for now.
    Check out James Cussen's tool here for port testing:
    http://www.mylynclab.com/2014/02/lync-edge-testing-suite-part-1-lync.html
    Please remember, if you see a post that helped you please click "Vote As Helpful" and if it answered your question please click "Mark As Answer".
    SWC Unified Communications

Maybe you are looking for

  • Itunes library doesn't show all the music on the ipod

    Hello, My daughter's ipod version 6.1.6 shows that there should be 800 songs on her device. We plugged into the pc and the itunes menu showed this but when you go to the ipod itself and access the information that is on the ipod in the About section

  • Internal dhcp with anchor and foreign

    Greetings, trying to get dhcp going for guest clients. I can see dhcp requests coming through and getting dropped at the foreign controller. *DHCP Socket Task: Aug 10 16:19:54.075: 58:94:6b:1d:xx:yy DHCP received op BOOTREQUEST (1) (len 308,vlan 0, p

  • Flash Builder 4 and Bridge CS4

    Hi everybody, absolute newbie here. I need to develop a custom metadata panel for Bridge CS4, it will be based on this post http://idletechnology.blogspot.com/2011/12/adobe-xmp-panel-improvements.html I downloaded Flash Builder 4 and the FileInfo SDK

  • Bus.transaction field in BKPF Table

    Hello SAP Gurus! I would like to get some info on Bus.transaction field in BKPF Table. How does this field gets populated? What does it signify and its functionality? Is there any config in SAP to control this field? Thanks for your reply in advance,

  • Safety, disciplinary action & VRS

    Dear Gurus, My clinet wants to maitain Safety an disciplinary actions, For Safety the scenario is if the employee is met with an accident, he shall undergo a treatment and joins the factory after certain period of time, so what are the infotypes that