Few questions about apex + epg and cookie blocked by IE6

Hi,
I would like to ask a few questions about apex and epg.
I have already installed and configured apex 3.2 on oracle 10g (on my localhost - computer name 'chen_rong', ip address -192.168.88.175 ), and enable anonymous access xdb http server.
now,
1. I can access 'http://chen_rong' , 'http://localhost' , 'http://192.168.88.175' without input username / password for realm 'XDB' in IE6;
2. I can access 'http://localhost/apex/apex_admin' , 'http://192.168.88.175/apex/apex_admin' , and I can be redirected into apex administation page after input admin/<my apex admin password> for realm 'APEX' in IE6;
3. I can access 'http://chen_rong/apex/apex_admin' in IE6, but after input admin/password , I can not be redirected into administation page, because the cookie was blocked by IE6.
then, the first question is :
Q1: What is the difference among 'http://chen_rong' , 'http://localhost' , 'http://192.168.88.175' ? I have already include site 'chen_rong' into my trusted stes! why the cookie was blocked by IE6. I have already tried firefox and google browser, both of them were ok for 'chen_rong', no cookie blocked from site 'chen_rong'!
and,
1. I have tried to use the script in attachment to test http authentication and also want to catch the cookie by utl_http .
2. please review the script for me.
3. I did:
SQL> exec show_url('http://localhost/apex/apex_admin/','ADMIN','Passw0rd');
HTTP response status code: 401
HTTP response reason phrase: Unauthorized
Please supplied the required Basic authentication username/password for realm XDB for the Web page.
Web page http://localhost/apex/apex_admin/ is protected.
MS-Author-Via: DAV
DAV: 1,2,<http://www.oracle.com/xdb/webdav/props>
Server: Oracle XML DB/Oracle Database
WWW-Authenticate: Basic realm="XDB"
Date: Tue, 04 Aug 2009 02:25:15 GMT
Content-Type: text/html; charset=GBK
Content-Length: 147
======================================
PL/SQL procedure successfully completed
4. I also did :
SQL> exec show_url('http://localhost/apex/apex_admin/','ANONYMOUS','ANONYMOUS');
HTTP response status code: 500
HTTP response reason phrase: Internal Server Error
Check if the Web site is up.
PL/SQL procedure successfully completed
SQL> exec show_url('http://localhost/apex/apex_admin/','SYSTEM','apexsite');
HTTP response status code: 401
HTTP response reason phrase: Unauthorized
Please supplied the required Basic authentication username/password for realm APEX for the Web page.
Web page http://localhost/apex/apex_admin/ is protected.
Content-Type: text/html
Content-Length: 147
WWW-Authenticate: Basic realm="APEX"
======================================
PL/SQL procedure successfully completed
my second questions is :
Q2: After I entered into realm 'XDB', I still need went into realm'APEX'. how could I change the script show_url to accomplish these two tasks and successfully get the cookie from site.
the show_url script is as following:
CREATE OR REPLACE PROCEDURE show_url
(url IN VARCHAR2,
username IN VARCHAR2 DEFAULT NULL,
password IN VARCHAR2 DEFAULT NULL)
AS
req UTL_HTTP.REQ;
resp UTL_HTTP.RESP;
name VARCHAR2(256);
value VARCHAR2(1024);
data VARCHAR2(255);
my_scheme VARCHAR2(256);
my_realm VARCHAR2(256);
my_proxy BOOLEAN;
cookies UTL_HTTP.COOKIE_TABLE;
secure VARCHAR2(1);
BEGIN
-- When going through a firewall, pass requests through this host.
-- Specify sites inside the firewall that don't need the proxy host.
-- UTL_HTTP.SET_PROXY('proxy.example.com', 'corp.example.com');
-- Ask UTL_HTTP not to raise an exception for 4xx and 5xx status codes,
-- rather than just returning the text of the error page.
UTL_HTTP.SET_RESPONSE_ERROR_CHECK(FALSE);
-- Begin retrieving this Web page.
req := UTL_HTTP.BEGIN_REQUEST(url);
-- Identify yourself.
-- Some sites serve special pages for particular browsers.
UTL_HTTP.SET_HEADER(req, 'User-Agent', 'Mozilla/4.0');
-- Specify user ID and password for pages that require them.
IF (username IS NOT NULL) THEN
UTL_HTTP.SET_AUTHENTICATION(req, username, password, 'Basic', false);
END IF;
-- Start receiving the HTML text.
resp := UTL_HTTP.GET_RESPONSE(req);
-- Show status codes and reason phrase of response.
DBMS_OUTPUT.PUT_LINE('HTTP response status code: ' || resp.status_code);
DBMS_OUTPUT.PUT_LINE
('HTTP response reason phrase: ' || resp.reason_phrase);
-- Look for client-side error and report it.
IF (resp.status_code >= 400) AND (resp.status_code <= 499) THEN
-- Detect whether page is password protected
-- and you didn't supply the right authorization.
IF (resp.status_code = UTL_HTTP.HTTP_UNAUTHORIZED) THEN
UTL_HTTP.GET_AUTHENTICATION(resp, my_scheme, my_realm, my_proxy);
IF (my_proxy) THEN
DBMS_OUTPUT.PUT_LINE('Web proxy server is protected.');
DBMS_OUTPUT.PUT('Please supply the required ' || my_scheme ||
' authentication username/password for realm ' || my_realm ||
' for the proxy server.');
ELSE
DBMS_OUTPUT.PUT_LINE('Please supplied the required ' || my_scheme ||
' authentication username/password for realm ' || my_realm ||
' for the Web page.');
DBMS_OUTPUT.PUT_LINE('Web page ' || url || ' is protected.');
END IF;
ELSE
DBMS_OUTPUT.PUT_LINE('Check the URL.');
END IF;
-- UTL_HTTP.END_RESPONSE(resp);
-- RETURN;
-- Look for server-side error and report it.
ELSIF (resp.status_code >= 500) AND (resp.status_code <= 599) THEN
DBMS_OUTPUT.PUT_LINE('Check if the Web site is up.');
UTL_HTTP.END_RESPONSE(resp);
RETURN;
END IF;
-- HTTP header lines contain information about cookies, character sets,
-- and other data that client and server can use to customize each
-- session.
FOR i IN 1..UTL_HTTP.GET_HEADER_COUNT(resp) LOOP
UTL_HTTP.GET_HEADER(resp, i, name, value);
DBMS_OUTPUT.PUT_LINE(name || ': ' || value);
END LOOP;
-- Read lines until none are left and an exception is raised.
--LOOP
-- UTL_HTTP.READ_LINE(resp, value);
-- DBMS_OUTPUT.PUT_LINE(value);
--END LOOP;
UTL_HTTP.GET_COOKIES(cookies);
dbms_output.put_line('======================================');
FOR i in 1..cookies.count LOOP
IF (cookies(i).secure) THEN
secure := 'Y';
ELSE
secure := 'N';
END IF;
-- INSERT INTO my_cookies
-- VALUES (my_session_id, cookies(i).name, cookies(i).value,
-- cookies(i).domain,
-- cookies(i).expire, cookies(i).path, secure, cookies(i).version);
dbms_output.put_line('site:'||url);
dbms_output.put_line('cookies:');
dbms_output.put_line('name:'||cookies(i).name);
dbms_output.put_line('value:'||cookies(i).value);
dbms_output.put_line('domain:'||cookies(i).domain);
dbms_output.put_line('expire:'||cookies(i).expire);
dbms_output.put_line('path:'||cookies(i).path);
dbms_output.put_line('secure:'||secure);
dbms_output.put_line('version:'||cookies(i).version);
END LOOP;
UTL_HTTP.END_RESPONSE(resp);
EXCEPTION
WHEN UTL_HTTP.END_OF_BODY THEN
UTL_HTTP.END_RESPONSE(resp);
END;
/

I use oracle database enterprise edtion 10.2.0.3. I have already figured out the epg on 10.2.0.3 to support apex 3.2.
And as I described above, the apex site works fine for ip address , and localhost. but the cookie will be blocked by IE6, if I want to access the site by 'http://computername:port/apex/apex_admin'. This problem does not occured in firefox and google browser. Could someone give me answer?

Similar Messages

  • A few questions about the ka790gx and dka790gx

    i have a few questions about the ka790gx and dka790gx , how much better is the dka790gx compaired to the ka790gx ? . how much difference does the ACC function make to overclocking etc , i plan on getting a phenom II 940BE or 720BE . i already have the ka790gx so would it be worth building another system using the dka790gx mobo , or should i keep what i already have and just change the cpu ?

    It's largely irrelevant what other boards had VRM issues other than the KA790GX - the fact is it died at stock settings. Since there is little cost difference between the more robust DKA790GX (or Platinum if you really need 1394) why bother with the proven weakling? There are other examples around of the KA not having a robust power section.  There's no way I would use even a 95W TDP CPU in the KA and absolutely not O/C.....!
    As for the credentials of Custom PC, I have generally found their reviews accurate and balanced, and echo my own findings where applicable. If a little too infrequent.
    The fact that the KA has such a huge VRM heatsink leads me to my other comments on the Forum, particularly regarding the "fudge" aspect:
    """Henry is spot on - the notion that adding a heatsink to the top of the D2PAK or whatever MOSFETS is effective is virtually worthless. The device's die thermal junction is the tab on the device back - which is always against the PCB pad. The majority of heat is therefore dissipated in to the board, and the fact that the epoxy plastic encapsulation gets hot is simply due to the inability of the heat to be conducted away from the device die via the tab. Not sure when Epoxy become an effective conductor of heat.... Good practice is to increase the size of the PCB pad (or "land" in American) such that the enlarged PCB copper area acts as an adequate heatsink. This is still not as effective as clamping a power device tab to an actual piece of ali or copper, but since the devices used are SMD devices, this is not possible. However, the surface area required to provide sufficient PCB copper area to act as a heatsink for several devices isn't available in the current motherboard layouts. Where industrial SBC designs differ in this respect is to place the VRM MOSFETs on the back of the PCB on very enlarged PCB pads - where real estate for components is not an issue.
    Gigabyte's UD3 2oz copper mainboards sound like a good idea, on the face of it. However, without knowing how they have connected the device tabs to where and what remains a mystery. I suspect it is more hype than solution, although there will be some positive effect. From an electrical perspective, having lower resistance connecting whatever to whatever (probably just a 0V plane) is no bad thing.
    The way the likes of ASUS sort of get round the problem is to increase the sheer number of MOSFET devices and effectively spread the heat dissipation over a larger physical area. This works to a degree, there is the same amount of heat being dissipated, but over several more square inches. The other advantage of this is that each leg of the VRM circuit passes less current and therefore localised heat is reduced. Remember that as well as absolute peak operating temperature causing reduced component life, thermal cycling stresses the mechanical aspects of components (die wire bonds for example) as well as the solder joints on the board. Keeping components at a relatively constant temperature, even if this is high (but within operating temperature limits), is a means of promoting longevity.
    For myself, the first thing I do with a seperate VRM heatsink is take it off and use a quiet fan to blow air on to the VRM area of the PCB - this is where the heat is. This has the added benefit of actively cooling the inductors and capacitors too....
    Cooling the epoxy component body is a fudge. If the epoxy (and thus any heatsink plonked on top of it) is running at 60C, the component die is way above that.....
    It's better than nothing, but only just."""

  • A few questions about After Effects and CGI (Computer-generated Imagery)

    Hi,
    I'm very new to After Effects and this forum. But I have a few questions.
    Now, I have recently started a movie project with my friend at a workshop. It's an action/sci-fi film and I'm probably going to be the editor and if needed in charge of visual and/or special effects. This sounds like a pretty big job for a noob, but we don't have a time limit with the project so there's time to learn.
    But to my questions. I've thought of introducing CGI to myself (very simple of course). I've studied the use of blender, and I think I'll use it for the modelling and animation. But should Ae be used in any stage of producing the CGI or should everything be done in blender? If I do, how? Am I going in the wrong direction (wrong kind of software, etc.)?
    Also, I'm not talking of fully producing the scene with the computer, but adding things like characters or items, maybe special effects.
    I'm hoping for an answer to all my questions, but if you have just one or two answers I'm happy to hear them too. You're also welcome to correct me if I've misunderstood something. Please ask for further specifications if you need any!

    pek859 wrote:
    1. I'm very new to After Effects and this forum. But I have a few questions.
    2. Now, I have recently started a movie project with my friend at a workshop. It's an action/sci-fi film and I'm probably going to be the editor and if needed in charge of visual and/or special effects. This sounds like a pretty big job for a noob, but we don't have a time limit with the project so there's time to learn.
    3. But to my questions. I've thought of introducing CGI to myself (very simple of course). I've studied the use of blender, and I think I'll use it for the modelling and animation. But should Ae be used in any stage of producing the CGI or should everything be done in blender? If I do, how? Am I going in the wrong direction (wrong kind of software, etc.)?
    4. Also, I'm not talking of fully producing the scene with the computer, but adding things like characters or items, maybe special effects.
    5. I'm hoping for an answer to all my questions, but if you have just one or two answers I'm happy to hear them too. You're also welcome to correct me if I've misunderstood something. Please ask for further specifications if you need any!
    1. Welcome to the family. AE is big, Really big. It's hard. Really hard. You have no idea how hard AE is to learr and to master.
    2. No time limit is good but you will need some money.
    3. This is not a Blender forum. You want to explore filmmaking, CGI and Blender-specific forums for that kind of assistance.
    4. AE is for your compositing and special effects. But you will need to learn how both apps work before you can decide how to divide up your project. A comparison would be shooting your film. Are you using a DSLR? Do you know why? Or are you using a GoPro? Another example might be Apple's Final Cut Pro. You can edit audio in it but it's better to use an audio application. You can do some special effects in FCP but it's best to do complex stuff in Motion of After Effects. How do you know what app is appropriate Lots of experience. Lots of failures.
    5. We were all new to AE and to vidoe editing and to special effects at one time or another. The user forums are not places to learn how to use these applications. You do that with tutorials and books and tons of time. Learning to use Blender to make a robot move is one thing. Making the robot into a character that compels the audience to care about it is quite another. Using AE to create a layer of clouds is one thing. Having those clouds react to the bow waves created by your flying robot as it approaches sonic speeds is quite another challenge.

  • A Few Questions About Parallels 5 and Windows 7

    Hey guys!
    So, I am taking a computer programming class that requires Windows, just so we can all be on the same screen at the same time (lame, I know). Anywho, I have a Mac, so my teacher provided me with a log-in to MSDNAA, to get Windows 7 for free, and he gave me Parallels 5.0 for free as well. (go community colleges!)
    A few questions:
    1- I am running Snow Leopard right now on my 2009 MacBook Pro, and my processor is the 64-bit processor, but after running the command uname -a I discovered that my Kernal is loading in the 32-bit mode. Is this normal? Shouldn't it be running in 64-bit mode?
    2- Which Windows 7 should I get, the x64 or x86 (32-bit or 64-bit)?
    Thanks for any/all help!
    Model Name: MacBook Pro
    Model Identifier: MacBookPro5,4
    Processor Name: Intel Core 2 Duo
    Processor Speed: 2.53 GHz
    Number Of Processors: 1
    Total Number Of Cores: 2
    L2 Cache: 3 MB
    Memory: 4 GB
    Chipset Model: NVIDIA GeForce 9400M
    Type: GPU
    Bus: PCI
    VRAM (Total): 256 MB
    Terminal reply after command:
    local 10.4.0 Darwin Kernel Version 10.4.0: Fri Apr 23 18:28:53 PDT 2010; root:xnu-1504.7.4~1/RELEASE_I386 i386
    the i386 means it's in 32-bit mode, right?

    Try the Windows forum area - http://discussions.apple.com/forum.jspa?forumID=687

  • Few questions about video performance and more

    Hello there,
    I'm quite sure I want to buy MacBook as my new laptop, but one thing bothers me all the time - for these money I can get a standard PC with larger display and better graphics card.
    In order to clear some confusion, I'm going to ask you a few questions, first of all:
    1. How big is the display resolution in MacBook (13" doesn't seem to be much)?
    2. Is the integrated graphics card enough to play World of Warcraft?
    3. Is it possible to ruin the operating system like Windows?
    4. Do you receive an instalation CD of Mac OS X in case the operating system fails?
    5. Is it possible to install Linux on MacBook?
    That's it, thank you in advance .

    1. How big is the display resolution in MacBook (13"
    doesn't seem to be much)?
    For laptop it's good. I have HP 15.4'' and don't feel big difference.
    2. Is the integrated graphics card enough to play
    World of Warcraft?
    It's OK,but a bit slow.
    3. Is it possible to ruin the operating system like
    Windows?
    yes via Parrallels or Boot cam
    4. Do you receive an instalation CD of Mac OS X in
    case the operating system fails?
    Yes even two

  • I am now running Windows 7 Ultimate on my Macbook Pro and the through VMware Fusion Software and I have a few questions about the ins and outs.

    So far I have a few kinks to work out. While running Internet Explorer 8, I get the error message, " Cannot connect to the internet." In Networks on the control panel, it says that I am connected to a local area public network but there is no internet access. How do I establish a connection to my existing network which works with the mac os? Also, of course, programs like Adobe, Quick Time Player, and uTorrent/bitorrent are already installed on my computer. Do I have to download them again on windows or can I import them or share them somehow?

    I am about to run specialized GIS software that may or may not need the full machine resources. I am an attorney who uses QuickBooks for my accounting. The Mac version does not do as much as the Windows version. This is from both Apple and Quick Books professionals. I am using Parallels Desktop version 8 at this time. It does not support QuickBooks Windows version per Parallels. Any other questions? I am a highly competent PC user who is new to Macs. I am entitled to my own configuration choices. That said, I know when I need help which is now.
    As to the free space issue I have 665.18 GB free space out of 749.3 GB on the drive. I am not trying to run the 32 bit version. I know that it requires the 64 bit version. Besides, it does not get that far in the process. As I said Boot Camp asssitant terminates unexpectedly as soon as you hit the continue button after setting the partition size. Therefore I conclude that it does not have a chance to see which version of Windows that I am using. I am using Windows 7 Ultimate 64 bit version in the virtual engine (to use Parallels speak), but again Boot Camp would not see that since it is not running. It can't run at the momenet because Apple just installed a new hard drive and I have just restored the data from TIme Machine and Parallels needs reactivated, which I have not done yet deliberatley. With all of this addtiional information do you have any further suggestions? Thanks for your time and interest my issue.

  • A few questions about bluetooth technology and headsets...

    Alright I am new to bluetooth technology and headsets, and want to do the proper research before I buy one.
    1)I have seen some have 1.2 and 2.0 technology, so what is the difference and should I only look for one that offers 2.0?
    2)Do they all offer a vibrating alert?
    2b)Or just those really big kinds that look like hearing aides that have that little box behind your ear?...
    http://cgi.ebay.com/ws/eBayISAPI.dll?ViewItem&ssPageName=STRK:MEWAX:IT&item=2002 46049729
    3) Do they all have a multi-function button, 3way, mute, volume etc?
    3b) Or are some just a single button that only answers and hangs up?
    4) Do any of these charge via bluetooth?
    5) I've seen some bluetooths have a micro sd chip in them... what is the point of this? Can they be used like a usb storage device?
    6) Can you buy those usb to mini-usb adapters for charging and data transfer (not sure what kind of data you would transfer to a headset) separate from having to buy a combo kit that comes with it?

    You might try Google and look for answers, these are pretty comprehensive questions regarding a broad sweep of headsets. You might get answers on a few models, or just Apple's, here.
    If you click on each of the models in the link I gave you it goes into more detail about each one.

  • Just a few questions about DVD Ripping and Final Cut 6

    Ok,
    Here is my first major concern. I have a wedding that I cut on the Final Cut Studio. After I burnt it to a DVD, I erased the main footage. However, the groom wanted to add something so I went into my backup files to get the information but just so happens that my backup hard drive crashed and it will not recognize on any Mac. (Tried 3 different Macs including 2 PowerMac G5’S and a Power Mac G4) Anyway all I have no is the DVD. I was wondering if anyone knew any good ripping software that I can rip this DVD back to a QuickTime. I have tried a few programs but the quality is just horrible.
    My next question is does anyone know when Final Cut Pro 6 is shipping?

    Did you lose your autosave vault with the crash? You could open your autosave and grab the last cut and do a media manager capture so you wouldn't have to re-edit or capture all of the media again.
    Also, there are people who can get the info off the drive for a modest fee. If this was a paying gig, consider it part of the cost of having done the project. If the groom was satisfied and the project was complete, I guess you could argue that an extra fee is in order if he wants a different version after the final version was already delivered and agreed upon. Otherwise you kind of owe it to him to do whatever it takes to give him a final output.
    Make a backup tape as well next time. That way you can recapture and add, then re-backup and re-compress. Lots of re-ings.

  • Few questions about sql2008 functions and commands

    hello,
    I am learning sql2008 implementation and maintenance,I am just 2 weeks bussy.there is some questions in my mind wich I can't answer it.
    1-when I can use  USE MASTER statement
    2-can a database for example (test) have many and unlimmited file groups?
    3-what is the diferrence between file and filegroup! is the term of file means  tables in filegroup?
    4-with boundary points does mean the data type when creating partition function!
    5`what is diferrence between full text index and index,where you have to use the index and wher you have to use full text index?
    6-each filegroup must have one partition or one partition can have many filegroups in partition scheme!
    7-do you have to partition every scheme or not! where do you have to partition a scheme and where not?
    8-can you give a little example with switch operator!
    9-again do you have to partition every table and index in the real world or not!
    thanks
    johan
    h.david

    Hi,
    Let me try to answer your questions:
    You need to use USE MASTER whenever you need to do some work in the MASTER database and the database context is not that.
    Yes, a database can have many filegroups. Please check this article:
    http://msdn.microsoft.com/en-us/library/ms179316.aspx
    Please check this article:
    http://msdn.microsoft.com/en-us/library/ms179316.aspx
    As per BOL:
    boundary_value is a constant expression that can reference variables. This includes user-defined type variables, or functions and user-defined functions. It cannot reference Transact-SQL expressions.
    boundary_value must either match or be implicitly convertible to the data type supplied in
    input_parameter_type, and cannot be truncated during implicit conversion in a way that the size and scale of the value does not match that of its corresponding
    input_parameter_type. For more details check
    http://msdn.microsoft.com/en-us/library/ms187802.aspx
    For simplicity: Full-Text index is used to search in a LOB/text data in a column, index is used to speed up your queries. Please check these articles:
    http://msdn.microsoft.com/en-us/library/ms142571.aspx,
    http://msdn.microsoft.com/en-us/library/ms189271.aspx
    As per BOL: When you create a partition scheme, you define the filegroups where the table partitions are mapped, based on the parameters of the partition function. You must specify enough filegroups to hold the number of partitions. You can specify that
    all partitions map to a different filegroup, that some partitions map to a single filegroup, or that all partitions map to a single filegroup. You can also specify additional, "unassigned" filegroups in the event you want to add more partitions later. For
    more info, please check
    http://msdn.microsoft.com/en-us/library/ms188730.aspx
    8. Please read the concept of partitioning here:
    http://msdn.microsoft.com/en-us/library/ms190199.aspx and for SWITCH operator, please check the sliding window example at here:
    http://msdn.microsoft.com/en-us/library/aa964122(SQL.90).aspx
    9. It depends :) but you always will have at least 1 partition!
    I hope it helps.
    J.
    There are 10 type of people. Those who understand binary and those who do not.

  • Few questions about phone itself and PC Suit coope...

    So I have 5610 XM phone with 09.40 firmware and PC Suite v 7.1.18.0...
    As I understand it sync works like this 1. New event on the phone (like new sms) new sync. 2. New event on PC Suit (like replying to that sms you just got) sync again. PC and phone are connected using USB cable.
    The prob is that when I get a new sms sometimes it takes ages to actualy see that I got it on the PC screen. Sometimes it syncs right away and next time it takes like 1 min. Same thing goes with replying. You just got a new sms and trying to reply... bang error shows up that the message can't be sent but if you try again 2 mins later it works fine again. Refresh messages button never help.
    And btw everything is damn slow... not even mentioning that PC Suit can't read contacts from SIM card... only from phone memory..
    So do I have a problem here of my own or it just works like that and I can go fck myself?
    Thx for replies in advance. 

    I too experience long delays in updating the messages pane, whether connected via USB or bluetooth. Sometimes it's quite quick.. But other times it can take 5 min to show up a new message. Generally I don't care because I don't reply to texts very quickly, much to the annoyance of friends, family..

  • A few questions about internet sharing and security

    Hi, I have an iMac connected to my aparment complexes' wireless network. I realize this isn't the safest way to be online so I was wondering what I could do to protect my computer. When I open a finder window I see all the other computers listed in the "shared computers" menu and this makes me nervous that mine is showing up in others' finders as well. I would like to know how I can prevent everyone else from seeing my computer on our shared network, and possibly prohibit those that still can see my computer from getting access to it. Sounds a little perinoid I know, but it just bothers me to know people have potential access to my files and such. Also I have an Apple tv and wireless printer. I was wondering if there was a way to connect my own wireless router to my iMac (via the ethernet port) directly so that I would have an exclusive (to me and possibly my roomates) connection to wirelessly print, transfer media to/from the Appletv, and rent and buy things from the Appletv online, but also stay connected to the internet. I hope that wasn't confusing, but would appreciate any ideas.

    jbloc,
    Well, the main problem for you is that you are on what is essentially a "public" network. As far as your Mac is concerned, however, all you need to do is turn your Firewall on and not run any services. It is only when you might run some service that your computer would show up in someone else's Finder (if it is another Mac), or in the "Network" window (in Windows).
    Even when you do have services running, other users must have the proper credentials in order to gain access to those services.
    Really, the only way to completely protect yourself and firewall your entire network would be to subscribe to some broadband service on your own, and have your router connected to whatever modem is supplied. The router would then be protecting your entire network, and only your devices would be connected. You would be the only one to see and potentially access those devices. Otherwise, you just have everything left out on a public network, and you would be dependent solely on the security you are able to set up.
    Scott

  • A few questions about my MacBook Pro?

    Hey guys, I have a few questions about Virtual Machines and a few other random questions.
    1. Which one is the most "complete" in its features when compared to a plain install of Win. 7?
    2. Which VM should I purchase?
    I have a 15" late 2012 MacBook Pro with a 2.6 ghz intel i7, 16gb ram and a 256gb SSD. (I was planning on running it off of an external hard drive— if that is possible)
    3. I have 206.12 GB of 255.2 GB free— should I just use boot camp instead?
    4. If I use Boot Camp, do I have to delete the data that's on my Mac currently to install Win. 7 or can I partition my current drive and keep my data?
    5. What is the "other" data that's taking up 25.51 GB of space on my SSD? (I have the same problem on my iPhone, but that's a different problem.)
    Thank you very much.

    You posted your Boot Camp questions in the MacBook Pro forum. Try asking in the Boot Camp forum where the Boot Camp gurus hang out. https://discussions.apple.com/community/windows_software/boot_camp

  • A few questions about MacBooks and Parallels Desktop.

    I have a few questions about MacBooks and Parallels Desktop.
    1) I understand I need at least 1GB of RAM to run Parallels Desktop but what about the hard drive, is the stock 60GB drive big enough?
    2) Related to question 1, even if it was big enough to allow me to install and run Windows would the 60GB drive be enough if I wanted to install a Linux distribution as well?
    3) This has nothing to do with Parallels Desktop but thought I'd ask it here anyway, do Apple Stores carry just the stock MacBooks, or do they carry other configurations?
    Thanks
    Keith

    1. Depend on how intensive you use that HD for saving data on both Mac OS and XP. For standard installation on both OS X and XP, the space of 60 Gb is enough.
    2. Same answer as no 1. You can install all three on that HD space, but the extra spacce available will be less and less for your data. You can save your data on external or back up on cd/dvd and erase it from the HD to keep the free space.
    Remember to leave at least 2 or 3 Gb for virtual memory usage.
    3. Just call them, maybe they don't have it in store stock, but by appointment they might configure one for you before your pick-up date.
    Good Luck

  • Question about Id3-tags and song managem

    Hello, I am getting ready to buy a Zen Touch 20GB in a couple of weeks and I have a few questions about the management software.
    (Correct me if I am wrong about something)
    ) Are songs organized into groups by Genre instead of just folders like on the Ipod?
    2) Are Id3-tags used instead of filename for identification?
    3) What parts of the tag are needed besides title and artist?
    4) Which version of tags does the Zen Touch recognize: Version or Version 2?
    5) If I edit my tags using an external program such as Id3-TagIT, will the tags carry over to the Creative software and to the player?
    Thanks a lot for your help. I want to make sure I have my music collection in order before I get my Zen Touch.

    euph_jay wrote:Ok, so lets say I have all my music in folders right now seperated into different categories on my hard dri've. Some folders denote the artist, some the album, and some a genre. Example: Folder: Chicago Contents: Chicago .mp3 files Folder: Techno Contents: various Techno artist's songs What is the best way of organizing my folder system, so that the transition will be easy to the player?
    Folders are pretty much irrelevant. What the software will do is look at the *tags* in the files and then use these to build the player's library.
    Will imbedded folders work on the player? (like Techno->Crystal Method->Cystal Method .mp3's)
    Again the player has no concept of folders, although if you set Techno as a Genre tag you will be able to view via this in the Music Library.
    Or, am I misunderstanding how music is stored into the mp3 player. Instead of storing music in a "folder like" system (like the Chicago folder or Techno folder), does it store all the songs individually on the device? Then you have to sort it by artist, album, or genre?
    Using your example, in the Music Library you have essentially three categories: Album, Artist, and Genre. So under Album you would see "Vegas" (the Crystal Method's album), under Artist you would see "The Crystal Method", and under Genre you would see "Techno" (and then either the album or artist under this... I forget which it is offhand).
    Make sense?

  • A few questions about Patone colors

    I have a few questions about patone colors since this is the first time I use them. I want to use them to create a letterhead and business cards in two colors.
    1)
    I do understand that the uncoated is more washed out than the coated patone colors. I heard that this is because the way paper absorbs the inkt. This is why the same inkt results in different colors on different paper (right?). My question is why is the patone uncoated black so much different than normal black (c=0 m=0 y=0 k=100) or rich black:
    When I print a normal document with cmyk, I can get pretty dark black colors. Why is it that I cannot have that dark black color with patone colors? Even text documents printed on a cheap printer can get a darker color than the Patone color. It just looks way too grey for me.
    2) For a first mockup, I want to print the patone colors as cmyk (since I put like 10 different colors on a page for fast comparison). I know that these cmyk colors differ from the patone colors and that I cannot get a 100% representation. But is there a way to convert patone to cmyk values?
    I hope that some of you can help me out with my questions.
    Thanks.

    You can get Pantone's CMYK tints in Illustrator, (Swatches Panel > Open Swatch Library > Color Books > PANTONE+ Color Bridge Coated or Uncoated) but in my view, what's the point?  If you're printing to a digital printer, just use RGB (HSB) or CMYK. Personally, I never use Pantone's CMYK so-called "equivalents."
    Pantone colors are all mixed pigmented inks, many of which fluoresce beyond the gamut limits of RGB and especially CMYK. The original Pantone Matching System (PMS) was created for the printing industry. It outlined pigmented ink formulations for each of its colors.
    Most digital printers (laser or inkjet) use CMYK. The CMYK color gamut is MUCH SMALLER than what many mixed inks, printed on either coated or uncoated papers can deliver. When you specify non-coated Pantone ink in AI, according to Pantone's conversion tables, AI tries to "approximate" what that color will look like on an uncoated sheet, using CMYK. -- In my opinion, this has little relevance to real-world conditions, and is to be avoided in most situations.
    If your project is going to be printed on a printing press with spot Pantone inks, then by all means, use Pantone colors. But don't trust the screen colors; rather get a Pantone swatch book and look at the actual inks on both coated and uncoated papers, according to the stock you will use on the press.
    With the printing industry rapidly dwindling in favor of the web and inkjet printers, Pantone has attempted to extend its relevance beyond the pull-date by publishing (in books and in software alliances, with such as Adobe) its old PMS inks, and their supposed LAB and CMYK equivalents. I say "supposed" because again, RGB monitors and CMYK inks can never be literally equivalent to many Pantone inks. But if you're going to print your project on a printing press, Pantone inks are still very relevant as "spot colors."
    I also set my AI Preferences > Appearance of Black to both Display All Blacks Accurately, and Output All Blacks Accurately. The only exception to this might be when printing on a digital printer, where there should be no registration issues.
    Rich black in AI is a screen phenomenon, unless in Prefs > Appearance of Black, you also specify "Output All Inks As Rich Black," -- something I would NEVER do if outputting for an actual printing press. I always set my blacks in AI to "Output All Blacks Acurately" when outputting for a press. If you fail to do this, then on the press you will see any minor registration problems, with C, M, and Y peeking out, especially around black type.  UGH!
    Good luck!  :+)

Maybe you are looking for

  • "Save as PDF" breaks up the document into multiple PDFs

    Ever since my Lion install, when I open a doc in MSWord and try to "Save as PDF", it breaks up the document into multiple PDFs, not one saved PDF. Haven't seen this problem before. Anyone else experiencing this new "feature"?

  • Nokia Lumia 1020 screen doesn't light up when i re...

    title says it all, and no I will not do a reset on it so don't even suggest that.

  • BDC update MOdes.

    Wht is the UPDATE mode in BDC?What is the imporatance for that.

  • Integrated Messaging App for Windows

    Does anyone in the community know if Verizon is working on bringing an integrated messaging app to Windows Phone, or Windows 8?  I think the service is wonderful, and have been waiting years to have a product like this.  So many times I want to send

  • Hacked and still shows the hackers balance on my a...

    I was hacked and suspended, now I am online but restricted. The theif has left a balance on my account. I do not have a payment method saved on my account and I don't know what I am supposed to do but I don't have any money. I am low income and skype