DNS settings change when restoring image

Situation: In one of our computers we changed the DNS settings from static
to dynamic (DNS through DHCP). We checked these settings and they worked.
When restoring the image on a other computers the settings are back to
static. How is this possible? We have tried all but we can't find the
sollution.
Thanks,
Marcel de Jager

On Thu, 05 Jul 2007 12:27:36 GMT, Marcel de Jager wrote:
> When restoring the image on a other computers the settings are back to
> static. How is this possible? We have tried all but we can't find the
> sollution.
which patchlevel are you using?
If you have already compiled drivers or have linux.2 please put them on
http://forge.novell.com/modules/xfmo...ect/?zfdimgdrv
Live BootCd and USB Disk from Mike Charles
http://forge.novell.com/modules/xfmod/project/?imagingx
eZie http://forge.novell.com/modules/xfmod/project/?ezie
Marcus Breiden
If you are asked to email me information please change -- to - in my e-mail
address.
The content of this mail is my private and personal opinion.
http://www.edu-magic.net

Similar Messages

  • Settings changing when adding to another movie

    Each time I attach a new chapter (mini movie) PROJECT to the already existing main movie PROJECT the settings change. I have tried adding on the front with the new chapter as well as trying to add the main movie to the mini movie. Is there a way to lock all settings on a movie so when it is added to another movie the setting won't change oon either clip. The chapter movie is approximately 1 1/2 minutes long and the main clip is approximately 9 Minutes long. There are several transitions, and scrolls included in both clips.
    Message was edited by: jimfromdenver

    Hi Luis, thanks for the reply. I first made a video approximately 8 minutes long. I used digitized video, still images, sound tracks, titles and numerous transitions between the clips. I then opened a new project and made a movie of one of the last letters sent home by the veteran prior to his death. I also used transitions, movie clips, titles and various images. So far I have three of these last letters completed. I was able to copy and pasted two of the letter clips in front of the main generic movie. However, when I attempted to paste the third clip at the beginning of the main movie and two letters - it causes some of the titles, scrolls to overlap.

  • Java doesn't pick up system's DNS settings change until restarted

    Hello,
    I have a service running on a few Linux computers. Those computers have a NIC, which is configured with a fixed IP address. So /etc/resolv.conf contains the IP address of the LAN's DNS server. But most of the time, the computers are not plugged into the LAN at all. Instead, they connect themselves periodically to the Internet by establishing a ppp connection. When it happens, the ISP's DHCP server assign them new IP parameters, including their DNS server's IP address. And /etc/resolv.conf gets updated with this address.
    But it seems that java doesn't take care of DNS change taking place during a run. Which means that my program (started at boot with no connectivity at all) tries to connect to some host, and obviously trigger an "UnknownHostException" (at that point it does try to contact the LAN's DNS server). Quite logical. Later, the ppp link become active. But my program still try to contact the LAN's DNS server, despite the new configuration in /etc/resolv.conf. As such, it will forever trigger UnknowHostExceptions, until it gets restarted (it will then pick up the new settings) or it is plugged back into the LAN (it will finally reach the LAN's DNS server).
    This is quite a problem as during one single execution, the machine may encounter several DNS configuration changes, and this problem basically means that it will be impossible for my application to resolve any name at all.
    So is there a way to tell Java to re-read the system wide DNS configuration? Or is there some option to prevent Java to "cache" the DNS server to use?
    To demonstrate my problem, I've written a simple test case, see below.
    To get the problem:
    1) Put a bogus DNS server into your /etc/resolv.conf
    2) Start the test program. Wait for some time: it will trigger UnknownHostExceptions.
    3) Fix the entry in /etc/resolv.conf, and check it actually works (eg ping www.google.be)
    4) Test program will continue to trigger UnknownHostExceptions forever.
    One interesting fact is that someone tried this test on Windows, and didn't suffer from this behaviour, eg the application reacts to DNS system settings changes dynamically. So it looks like a Linux-only problem.
    Thanks in advance for your insight.
    Pierre-Yves
    package com.test.dnsresolver;
    import java.net.InetAddress;
    import java.net.UnknownHostException;
    public class DnsResolver {
        private static String urlString = "www.google.com";
        public static void main(String[] args) {
             * Specified in java.security to indicate the caching policy for successful
             * name lookups from the name service. The value is specified as as integer
             * to indicate the number of seconds to cache the successful lookup.
            java.security.Security.setProperty("networkaddress.cache.ttl" , "10");
             * Specified in java.security to indicate the caching policy for un-successful
             * name lookups from the name service. The value is specified as as integer to
             * indicate the number of seconds to cache the failure for un-successful lookups.
             * A value of 0 indicates "never cache". A value of -1 indicates "cache forever".
            java.security.Security.setProperty("networkaddress.cache.negative.ttl", "0");
            int loopCounter = 0;
            while (true) {
                InetAddress resolved;
                try {
                    resolved = InetAddress.getByName(urlString);
                    System.out.println("Loop " + loopCounter + ": resolved IP address: " + resolved);
                } catch (UnknownHostException e) {
                    System.out.println("Loop " + loopCounter + ": UnknownHostException");
                    e.printStackTrace();
                loopCounter++;
                try {
                    Thread.sleep(1000);
                } catch (InterruptedException e) {}
    }

    Well, the nameservice property allowing to specify my DNS server of choice is interesting (I didn't know about those), but not very usable, as the DNS server to use is not known in advance (it may be whatever the ISP tells me to use at the time where the ppp link gets established). So no real solution there.
    The fact that it caches /etc/resolv.conf content for 300s is very interesting, but having no possibility to impact on this duration really is a pity. There should be some kind of property to fix this behaviour. So as you say, a custom provider may be the only solution.
    So far, the hack I use to get this working is based on code similar to this one (it is presented here in a similar form than my test case above). Obviously, reading the /etc/resolv.conf for each dns resolution is not an option in a real environment, but you get the idea.
    package com.test.dnsresolver;
    import java.io.BufferedReader;
    public class DnsResolver {
         private static final String urlString = "www.google.com";
         private static final String resolvConf = "/etc/resolv.conf";
         public static void main(String[] args) {
              int loopCounter = 0;
              while (true) {
                   loopCounter++;
                   try {
                        Thread.sleep(1000);
                   } catch (InterruptedException e) {}
                   // Parse the current DNS server to be used in the config
                   String nameserver = null;
                   try {
                        BufferedReader input =  new BufferedReader(new FileReader(new File(resolvConf)));
                        String currentLine = null;
                        while (( currentLine = input.readLine()) != null){
                             // Take care of potential comments
                             currentLine = currentLine.substring(0, currentLine.indexOf("#") == -1
                                       ? currentLine.length() : currentLine.indexOf("#") );
                             if (currentLine.contains("nameserver")) {
                                  // It is the line we are looking for
                                  nameserver = currentLine;
                                  break;
                   } catch (FileNotFoundException e) {
                        System.out.println("Loop " + loopCounter + ": FileNotFoundException");
                   } catch (IOException e) {
                        System.out.println("Loop " + loopCounter + ": IOException");
                   if (nameserver == null) {
                        // No "nameserver" line found
                        System.out.println("Loop " + loopCounter + ": No nameserver found in configration file!");
                        continue;
                   // Trim it to just contain the IP address
                   nameserver = (nameserver.replace("nameserver", "")).trim();
                   System.out.println("Loop " + loopCounter + ": Going to use DNS server " + nameserver);
                   // At this point, we know which server to use, now perform the resolution
                   Hashtable<String, String> env = new Hashtable<String, String>();
                   env.put("java.naming.factory.initial", "com.sun.jndi.dns.DnsContextFactory");
                   env.put("java.naming.provider.url",    "dns://" + nameserver);
                   DirContext ictx;
                   try {
                        ictx = new InitialDirContext(env);
                        Attributes attrs1 = ictx.getAttributes(urlString, new String[] {"A"});
                        System.out.println("Loop " + loopCounter + ": Manual resolution: +" + attrs1.get("a").get() + "+");
                   } catch (NamingException e) {
                        System.out.println("Loop " + loopCounter + ": NamingException");
    }So maybe I should adapt and package this into a proper provider and specify it for sun.net.spi.nameservice.provider. Any link, info or example about how a proper provider should look like?
    Thanks for your advices!

  • Printer Settings change when switching between printers

    First time in the forum, so please be gentle.  I know little about Adobe.
    I am working with Windows XP (SP 2) machines (I know - should be at least on Windows 7, but can't change what my company has) and have Adobe Reader 8.1.2.  We have run into a "bug" of sorts. 
    Many of our locations (these are PCs all off-site) print labels (pdfs) with a Zebra brand printer where the labels are 2.25 by 4.00 inches.  The Zebra printers are always attached directly to the PCs where they create these labels.  Sometimes, they want to send the labels to a Lexmark printer that is attached at a Primary Server elsewhere.  When they do that, they make sure to choose "Fit To Printable Area" under Page Scaling when the Print Box comes up so that the 2.25x4.00 label is enlarged to fit on 8.5x11 inch paper.  The problem we run into is that right now, the default settings for these Zebra printers is 2x3 inches and Portrait.  We need them to be 2.25x4 and Landscape.  The user makes those settings changes and saves them and it used to be those settings hold once they save them.  We also have to change our Lexmark settings to "Letter - 8.5x11", otherwise it defaults to "Custom-4.88x21".  Recently, there's been this bug where if they save the settings for Zebra, print something, it's fine.  They switch to Lexmark, print to it with "Fit to Printable Area" it's also fine.  When they go back to the Zebra printer, suddenly the saved settings are gone and it's back to default.
    This also is happening in the reverse - if the user usually uses the Lexmark, but switches once to the Zebra, then back to the Lexmark, the settings have defaulted again.  Someone here said they remember seeing something like this before in regards to Adobe Reader.  Does anyone have any ideas?
    PS - I am creating a new image which will have the correct default settings for our needs so that hopefully this will not be an issue in the future.

    Hi BigRedEO,
    Thank you for posting on the forums. This seems more like a printer issue as it is not retaining the settings.
    Kindly try updating the drivers for the printer and check.
    Thanks,
    Vikrantt Singh

  • Time and date settings change when phone is powered down (not shut off)..

    I recently installed the iOS 8 update and immediately noticed that the time and date settings would change when I powered down my iPhone. I did not turn off my phone, only clicked the button to power down or save power. I have tried all the fixes, suggestions, etc., but I am still having issues. In the power down state, I am able to receive phone calls or texts but when I go into my phone, the time and date will be off. It stops from the moment I click the button to power down the phone. Please don't get this confused with turning off the phone completely. This happens when I click the button for power down or power save, however it is described.
    So, how do I fix it? Is the app/software for the clock the problem? Is the battery distribution the problem? For some reason, in power down mode, the clock is not receiving constant power in order to keep accurate time. It stops the moment I click the button.  Any suggestions? fixes, etc. I could try. Apple support techs were absolutely no help what-so-ever.

    This sounds exactly like what is going on with my phone, http://www.idownloadblog.com/2012/10/19/iphone-5-date-time-glitch/

  • Dimensions changes when placing image in Illustrator

    I had a problem while placing an image created in photoshop into illustrator, dimensions of the image was changed in Illustrator (shorter in hight and longer in width). My image size in Photoshop is 30.6 cm x 6 cm, Resolution: 300 pixels/inch, it changed in illustrator to 30.4969 cm x 6.0029 cm.
    After few tests, I found out that if I change image resolution from pixels/inch to pixels/cm, resolution hence will convert from 300ppi to 118.11. Here I just rounded resolution to 120ppc, only then this image will keep its dimensions in illustrator as 30.6 cm x 6 cm without any change when I drag it or place it in Ai again!
    Apparently keeping resolution as rounded figures in pixels/cm will fix this issue… any one had this problem or had solved it in a different way?

    I think this is down to specifiying metric dimensions in an imperial resolution, coupled with the fact that there's no such thing as a fraction of a pixel.
    300dpi equals 118.1102362 pixels per cm. Therefore, 6cm equals 708.6614173 pixels. Because you can only have whole pixels, Photoshop rounds this up to 709 pixels. 709 divided by 118.1102362 equals 6.002866668 which accounts for the discrepancy that you're seeing.
    As you've discovered, the only way around this is to use a metric resolution that your chosen dimension fits in exact pixels.

  • Screen color settings changes when certain software is launched.

    Since today I noticed the screen color settings of my Macbook Pro 17" (beginning 2011 model — Running OSX 10.8.4) is changing when certain software is launched. In this case, Indesign CS6.0 gives a strange blue hue over my screen, but when I check my screen color settings, nothing has changed, everything is set the same as when I don't run the softwares that change my screen color settings. I don't recall changing any settings that could have triggered this action. I didn't change any settings in Indesign CS6.0. I do regularly use CleanMyMac 2 to clean out my computer, maybe this has changed some settings? How can I change this back to normal? Google didn't help me neither.

    Ah right, don;t use laptops much and always forget about that one, good catch. Switching graphics cards would definitely have an effect.
    Just remember with that unchecked you will decrease battery run time so you might want to switch it back on when you are not doing graphics and you are on battery.
    regards

  • My settings change when I change sim card?

    Hi,
    I am going to go to Croatia for a holiday. I would like to buy there some prepaid sim-card. Does Blackberry's settings will change or it would be all the same when I will change simicard?
    Solved!
    Go to Solution.

    Hi and Welcome to the Community!
    Nothing should change when you do this. With legacy BB devices, there could be some changes...but with BB10, nothing should change.
    Good luck!
    Occam's Razor nearly always applies when troubleshooting technology issues!
    If anyone has been helpful to you, please show your appreciation by clicking the button inside of their post. Please click here and read, along with the threads to which it links, for helpful information to guide you as you proceed. I always recommend that you treat your BlackBerry like any other computing device, including using a regular backup schedule...click here for an article with instructions.
    Join our BBM Channels
    BSCF General Channel
    PIN: C0001B7B4   Display/Scan Bar Code
    Knowledge Base Updates
    PIN: C0005A9AA   Display/Scan Bar Code

  • Security settings change when rendered from third party Windows 2008 R2 server

    We created a fillable PDF form in Adobe Acrobat and made it Reader extended. Opening the form on a local hard drive the security settings show that Signing: is Allowed. We can sign documents in the form with a signature pad.
    After we upload it to a third party Windows server 2008 R2, and we later go to access the form, the server renders it back to us in Adobe Reader. We are unable to digitally sign documents in the form with a Topaz signature pad. We notice that although the form was originally created with the form being Reader extended the security settings change to Signing: Not Allowed.
    How can we get the server to render the document back to us where we can digitally sign documents in the form?

    The second file still shows the extended rights header is present (it's warning you about restrictions at the top of the dialog while also reporting the method is "no security") but the digital signature which grants those extended rights will be invalidated if *anything* in the file structure is changed. I suspect in this case that the server software is doing something to your file; it may be trivial such as adding an XMP tag, but it's enough to break the hash check.

  • What is the fix for constarined crop aspect ratio changing when the image is rotated

    I've migrated through LR 3, 4 and now 5 up to 5.4. I have been able to set a crop aspect ratio and synch pictures to that ratio as well as other editing selections. When I edit a particular picture and rotate it , the aspect ratio has stayed constant - to the value originally selected.I've never had a problem and it has consistantly worked properly even through last weeks editing activities. Now, when I set aspect ratio and then rotate, the aspect ratio really changes. If I go back and reset aspect ratio and select Done, it seems to be ok. This issue seems to perform wrong with portrait orientation but not in the landscape orientation. I have uninstalled LR, gone through registry cleanup, reinstalled LR, claened up the registry but nothing gets better. I do note that the settings aren't totally removed as the reinstalled software wants to pick up where I left it prior to uninstalling. As best as I can tell, all of my settings and preferences are the same as last week. It works on last weeks folders but not on new ones.
    I have now seen many forum write-ups about this problem but have never found any solution. Help - I can't go through life cropping and straightening images sideways.

    Here is a thread that I think addresses this problem.  There were MULTIPLE bugs in the crop tool when Lr5.0 came out, probably due to adding the Upright Tool, but they are slowly getting worked out.  Maybe this one will be fixed in Lr 5.5
    http://forums.adobe.com/message/6218903#6218903

  • Colour changes when saving images as JPEGS/PNGS in Photoshop CS6

    When I save my .PSD files as .JPEGS the colour of the images change drastically.
    I never experienced this issue in CS 5 or 5.5, and am only experiencing it now as I just switched over to CS6.

    Wow … another one of those threads, it seems.
    What are your Edit > Color Settings, do you embed the profile on saving, in which application do you observe the change, …?

  • How to make signature field work for reader users? Security settings change when doc is extended???

    I've been struggling to correct a problem all week and am at my wits end. Customer service was no help as the person I spoke with could barely speak english let alone understand the problem as I explained it to him. Hoping someone here can provide some insight, here's the issue:
    I'm using a Windows 7 Professional OS. I created a Microsoft Word doc and used Adobe Acrobat XI Standard to create a form from it. It automatically detected the fields, which includes a signature field. I went through fixed it all up how it needed to be and did "save as other - reader extended pdf - enable forms fill in & save in reader".
    The document is a report that will be sent to a small number of people that have to fill it out, digitally sign and return and I'm assuming that most if not all of them will open the document using the free Adobe Reader. So I thought extending it is what I needed to do to make sure they could fill it out, save it to their computer if need be, and also sign digitally. The signature field was automatically added in by acrobat for me and I did not change the properties of it at all except to add a border.
    When I open the form in Reader (also XI) I can fill out all the fields, save it... but not sign it. The security settings say signing is not allowed even though I went back to the original pdf form and the security settings on it say allowed for everything. I don't know how to fix this... please help!!!
    I've attached some screen shots but can include more if needed...

    I don't have the Enable More Tools option under Reader Extended PDF. I just tried to download the XI Pro trial version and it won't complete installation because of the standard version I already have. Any advice or workarounds you know of? Going to the boss for $$ to upgrade to Pro is what I'll consider my last resort if the issue is truly that I have to use Pro to enable more tools for reader.... I appreciate your reply though. I sat here all day yesterday fingers crossed that SOMEONE would give it a go!

  • Microphone settings change when switching between a

    Hi all,?After much fun trying to get my mic working with my Xfi Elite Pro i am now having problems with the sound properties changing the settings when i switch between ap
    ps.
    If i sit with the audio properties open and set the mic to the line in 2/mic port it works, then if i fire up skype, msn, guild wars, bf2 or any other app in which i want to use the mic the setting switches back to the "microphone", i then have to minimise the app and force the setting back again.How can i get this setting to be permanently set to line in 2/mic?HELP!!

    Some applications will do this, check out this thread for a little tool that might be of some use to you:
    http://forums.creative.com/creativel...ssage.id=44236
    Cat

  • View Settings change when message is selected

    When I select a message to view all of the other messages's view order changes. I go to VIEW in toolbar and the SORT BY selection has changed from ORDER RECEIVED to SUBJECT and the order has changed from DESENDING to ASCENDING. This happens about every time I go to INBOX. What do I have to do to keep the settings permanent?

    are you perhaps clicking on the column headings instead of the actual mail item? clicking a heading sorts by that item and clicking again reverses the sort.

  • Color change when transferring image from Photoshop to After Effects

    Hi everyone,
    I am trying to import a logo from photoshop CS6 to After Effects CS6, however the black color within the image changes to a dark grey when it gets into AE. I noticed on the color picker in PS that it changes to the same grey color that is used as the replacement web safe color. Therefore I'm assuming AE is just converting everything into web safe colors.
    Is there something I need to change in AE to allow me to import the image and keep all the original non web safe photoshop colors?
    Sorry if this is a very basic question thats been answered before, I couldn't seem to find the answer within these forums.
    Many thanks in advance,
    Spencer

    This has nothing to do with web safe. You are making a mess of color management/ color profiles. You have soemthing enabled in PS and since AE by default doesn't use any color managemnt and just assumes plain sRGB, the colors change. There's no easy explanations here, but you have soem reading up to do about color management in general and also specifically how Photoshop corrects for monitor profiles and how to use the Proof Preview to compensate for that or how to establish a workflwo that mimicsa AE's "unmanaged" colorspace.
    Mylenium

Maybe you are looking for

  • Sql Server Reporting  services with ORACLE

    We are thinking of using Sql Server Reporting servicesvwith an ORACLE DB. I will like to know the pros and cons. Any advice would be appreciated.. Thanks alot.

  • Changed name, now won't display change

    I changed the name of my blog from "Blog Test" to simply "Blog" (still playing with iWeb). But the change won't show up on any of the pages, meaning that "Blog Test" still appears at the top of the Welcome page rather than "Blog". Any tips to correct

  • Trying to pin background music with no luck.  Any suggestions?  Thanks

    Trying to pin background music with no luck.  Following instructions, I click on name of background audio bubble and drag horizontally.  The whole bubble moves and does not pin, ie, does not turn purple and no pushpin shows up.  Any suggestions?  Eve

  • Subreport doesn't funciton a report is transferred from VS2008 to VS2010

    Hi all, we authorizi reports in vs2008  and save it in a vs2010 project since our corperate doesn't support the crystal version inside vs2010. Anyway, the sub report is empty when it should be displayed inside the main report. thank you very much, Cl

  • TNS-00511 - Windows XP, 10g XE connection problem

    I cannot get connected to my XE instance. Using sqlplus I can connect no problem, but there's a problem with the listener AND with connecting via http (I suspect the latter caused by the former). I'm running Windows XP SP3 (Oracle OBI, for those in t