ISE additional spacing and temperamental colur issues w/ function

Hi All,
We've got some weird DNS issues where our DNS server doesn't seem to hold the latest addresses for our machines as provided by our DHCP server.
This is causing me a bit of a headache when trying to administer these machines remotely as I have to double check that the hostname points to the correct IP as otherwise I'll be making changes to a completely different machine than intended.
I thought a quick win would be a little PowerShell script. It seems to return the results as I'd expect, but there seem to be some inconsistencies with spacing when the script terminates, and issues with the colours that I've applied to some of the write-host
outputs.
Weirdly, the colour output of the write-host doesn't appear to be an issue if I pass the Hostname parameter whilst calling the function. Only seems to be when I prompt the user by the Read-Host.
The idea is:
1) Get the IP of a given hostname
2) Get the hostname of that given IP (to check that this matches the original hostname)
3) Act accordingly with the results of the above
I've tweaked the code so you can run with 'test' as the hostname
Running w/ PowerShell 4.
Set-PSDebug -Strict
Set-StrictMode -Version Latest
Clear-Host
Function Test-DNS
[CmdletBinding()]
Param
# Allow the user to specify the FQDN if it hasn't already been supplied
$Hostname = (Read-Host "Please specify Hostname"),
# Allow passing of the domain name.
$Domain = 'test.co.uk'
# Clear the screen after the read-host input
Clear-Host
# Throw an error if the hostname is not defined
if(!($Hostname))
Write-Host 'You have not specified a hostname. This script will now terminate.'
Write-Host ''
Break
# Define variables and assign null values
$IP_Response = @()
$IP_Count = $null
$Reverse_Lookup = $null
$Full_DNS_Name = $null
# Create the FQDN for a given hostname (if not already present)
if($Hostname -like "*$Domain")
$Full_DNS_Name = ($Hostname)
else
$Full_DNS_Name = ($Hostname + '.' + $Domain)
# Display the hostname
Write-Host $Hostname
Write-Host ''
# Try to grab the IP of a hostname and provide an error if this fails
Try
$IP_Response += '10.15.1.124' #([System.Net.Dns]::GetHostAddresses($Hostname) | Where {!($_.IsIPv6LinkLocal)}).IPAddressToString
$IP_Count = $IP_Response.Count
Catch [Exception]
Write-Host 'Error:' $_.Exception.Message -ForegroundColor Red
Write-Host ''
Break
# Check the number of results returned and warn the user if there are more than one
if($IP_Count -gt 1)
Write-Host 'WARNING:' $IP_Count 'addresses have been detected for this hostname.' -ForegroundColor Yellow
Write-Host ''
# Process each of the IPs that have been returned
ForEach($IP in $IP_Response)
Try
$Reverse_Lookup = 'test' #([System.Net.Dns]::GetHostByAddress($IP).HostName)
# If the reverse lookup matches the original hostname
if(($Reverse_Lookup -eq $Hostname) -or ($Reverse_Lookup -eq $Full_DNS_Name))
Write-Host 'Ping Response: ' $IP
Write-Host 'Reverse Lookup:' $Reverse_Lookup
Write-Host ''
Write-Host 'Success: Reverse DNS lookup was successful.' -ForegroundColor Green
Write-Host ''
# If the above is not true
else
Write-Host 'Ping Response: ' $IP
Write-Host 'Reverse Lookup:' $Reverse_Lookup
Write-Host ''
Write-Host 'Error: Reverse DNS lookup did not match the provided hostname.' -ForegroundColor Red
Write-Host ''
Catch [Exception]
Write-Host $IP
Write-Host 'Error:' $_.Exception.Message -ForegroundColor Red
Write-Host ''
Test-DNS
This is what happens after a few runs (usually when I've terminated the script part way through), without passing the Hostname parameter:
http://s16.postimg.org/sb2lehqdx/Output_1.png
(It also applies to some of the other write-host outputs), including error messages and the dbg messages that appear when I set breakpoints)
Now, onto the spacing issue...
If I continue to refresh the screen or rerun the script, it will sometimes randomly put two blank spaces before terminating. I've only specified one. I can't understand why this happens
This is how it appears when there are two spaces
http://s23.postimg.org/bgtg0hx5n/Output_3.png
I have just noticed that when it does display correctly (1 space), the first two characters of 'Success' are white, while the rest remain green.
Can anybody shed any light on this? It's driving me round the bend!
Cheers.

I've changed the function to instead output a custom PSObject with the results, which are then processed by another script. I believe this is a much better approach and I don't have any issues as of yet with the spaces / colouring.
For anyone interested, this is the end result:
Function Test-DNS
[CmdletBinding()]
Param
# Allow the user to specify the FQDN if it hasn't already been supplied
[Parameter(Mandatory=$true)]
$Hostname = $null,
# Allow passing of the domain name.
$Domain = 'domain.co.uk'
# Throw an error if the hostname is not defined
if(!($Hostname))
Throw 'You must specify a Hostname'
# Null variables
$Forward_Host_Address = @()
$Forward_Host_Address_Count = $null
$FQDN = $null
$Reverse_Hostname = $null
$Result_Output = @()
$Match = $null
# Convert the Hostname to upper case and remove the domain from the hostname input (if included)
$Hostname = $Hostname.ToUpper() -replace ".$Domain"
# Create a variable for the FQDN of the specified host
$FQDN = "$Hostname.$Domain"
# Try to get the IP of the given hostname (forward lookup)
Try
$Forward_Host_Address += ([System.Net.Dns]::GetHostEntry($Hostname) | Select -ExpandProperty AddressList | Where {!($_.IsIPv6LinkLocal)}).IPAddressToString
$Forward_Host_Address_Count = $Forward_Host_Address.Count
Catch [Exception]
Throw "A DNS record for $Hostname Could not be found"
# Try to get the host name of the received IP(s) (reverse lookup)
ForEach($IP_Response in $Forward_Host_Address)
Try
$Reverse_Hostname = ([System.Net.Dns]::GetHostEntry($IP_Response)).HostName
Catch [Exception]
Throw $_.Exception.Message
if(($Reverse_Hostname -eq $Hostname) -or ($Reverse_Hostname -eq $FQDN))
$Match = $true
$Result_Output += New-Object PSObject -Property ([ordered]@{
Hostname = $Hostname
IP_Response = $IP_Response
Reverse_Hostname = $Reverse_Hostname
Match = $Match
else
$Match = $false
$Result_Output += New-Object PSObject -Property ([ordered]@{
Hostname = $Hostname
IP_Response = $IP_Response
Reverse_Hostname = $Reverse_Hostname
Match = $Match
Return $Result_Output
Clear-Host
Import-Module 'Test-DNS.ps1'
$Hostname = $null
$IP_Response = $null
$Reverse_Hostname = $null
$Reverse_Match = $null
$Hostname = Read-Host 'Hostname'
Write-Output ''
$DNS_Check = Test-DNS $Hostname
$IP_Response = $DNS_Check.IP_Response
$Reverse_Hostname = $DNS_Check.Reverse_Hostname
$Reverse_Match = $DNS_Check.Match
Write-Output "Address Response: $IP_Response"
Write-Output "Reverse Hostname: $Reverse_Hostname"
Write-Output ''
if($Reverse_Match)
Write-Output '[OK] The reverse lookup matched the original request.'
else
Write-Output '[ERROR] The reverse lookup did not match the original request.'
(Powershell 4)

Similar Messages

  • ISE 1.3 and Windows Posture Web Agent

    Hello,
    I am running ISE 1.3 and have an issue running the Posture Web Agent. The client authenticates and gets redirected to the client provisioning portal but get the following message
    Detecting if Web Agent is installed and running gets ticked and then it keeps rolling at scanning your device. Open Web Agent to check the current status of the system scan and update your system as instructed.
    See attached screen shot

    is this issue specific to particular groups of clients/OS type... if using Windows 8, Internet Explorer 10 has two modes: Desktop and Metro. In Metro mode, the ActiveX plugins are restricted. You cannot download the Cisco NAC Agent in Metro mode. You must switch to Desktop mode, ensure ActiveX controls are enabled, and then launch Internet Explorer to download the Cisco NAC Agent. (If users are still not able to download Cisco NAC agent, check and enable “compatibility mode.”)

  • Additional field in infotype 0009 issue ( PBO and PAI )

    Hi Guru,
    I need your help please.
    I have a additional field in IT0009 and when I want created a new infotype 0009, I fill all field but after ENTER or SAVE all field are save in the layout but not the additional field.
    To save the additional field in the layout, I must fill it again and after the ENTER or SAVE the field is save in the layout.
    I have checked in the debbugger, when I create a new infotype 0009 it goes to the PBO but after ENTER or SAVE it doesn't go to the PAI so I must do it again ( fill the additional field and ENTER or SAVE ) and then it goes to the PAI.
    Thus I would like to know how I can make so that after the ENTER or SAVE the screen goes in PAI before the PBO and at the first time.
    Thanks very much in advance.
    Regards.

    Hi Srini Vas, hi Pedro Guarita and thanks for your reply,
    After more investigation, the probleme come from a check over country bank.
    In fact, the screen of the infotype 0009 must be adpated following the country bank but to do this, the standard module pool (mp000900) check if the country bank have changed.
    call method cl_hrpad00_iban=>process_iban_pai
          changing
            cs_bankdata = ls_bank_data_current
          exceptions
            error_iban  = 1
            others      = 2.
        if sy-subrc <> 0.
          message id sy-msgid type sy-msgty number sy-msgno
                     with sy-msgv1 sy-msgv2 sy-msgv3 sy-msgv4.
        endif.
        call method cl_hrpad00_iban=>get_bank_data_old
          importing
            bank_data_old = ls_bank_data_old.
        if ls_bank_data_current-banks <> ls_bank_data_old-banks. "MELN1357200
    bank country changed -> leave screen needs to be done
          leave_screen = 'X'.
        endif.
    But when you create a new infotype 0009, the ls_bank_data_old-banks is always initial. So when module pool compared the ls_bank_data_old-banks with the ls_bank_data_current-banks, those are always different.
    In conclusion, when you create a new infotype 0009 it is always mandatory to push ENTER before to fill any additional field because at each first time that the standard module pool go in the PAI, it make a leave screen.
    Thanks in advance for all yours reply.

  • ISE 1.3 and NAC

    I have a customer running 5508 WLCs across the estate, and I'm retrofitting IEEE802.1x authentication for the corporate WLAN, and WebAuth for the Guest WLAN...they have PSK at the moment :(
    They have AD and are showing great interest in ISE and NAC, so my immediate thoughts are to integrate ISE with AD, and use ISE as the RADIUS server for .1x on the WLC. Then use the WLC and ISE to do WebAuth for Guest...This is all standard stuff, but it gives the background.
    Now we get to the interesting bit...they want to run BYOD. They are involved in financial markets, so the BYOD needs to be tightly controlled. They are asking about ISE coupled with NAC, but I'm not convinced I need NAC since the arrival of ISE1.3. Obviously, I will be looking at three (min) SSIDs, namely corporate, guest and BYOD, all logically separate. I don't need anything that ISE 1.2 can't support on corporate and guest, but BYOD needs full profiling and either barring or device remediation before access to the net.
    Has anyone got any comments or suggestions? Is ISE 1.3 sufficiently NAC-like that I don't need it any more, or if that's not the case, what additional benefits does it bring that ISE can't support
    Thanks for any advice/comments/experiences
    Jim

    Hi Jim-
    Version 1.3 offers a built-in PKI and vastly improved guest services experience. The internal PKI is nice if the customer doesn't have an PKI solution in place. Keep in mind though that the internal ISE PKI can only issue certificates to BYOD devices that were on-boarded via the ISE BYOD "flow" So you cannot use the ISE PKI to issue certs to domain computers.
    With regards to NAC: You will have to clarify exactly what is needed here. If you needed to perform "posture assessment" then ISE can do it for Windows and OSX based machines. You can check for things like: A/V, A/S, Firewall Status, Windows Patches, etc. If you want to perform posture on mobile devices then you will need to integrate ISE with an MDM (Mobile Device Management) solution such as: Airwatch, Mobile Iron, Maas360, etc. ISE can query the MDM for things like: Is the device protected with a PIN, is the device rooted, is the device encrypted, etc.
    I hope this helps!
    Thank you for rating helpful posts!

  • Just bought a new iPhone and am having trouble with iTunes and App Store. I can log in to Cloud, iTunes, and app store but once I try to download, it says "Youe apple id has been disabled". I've reset my password three times and have no issue on my Pad.

    Just bought a new iPhone and am having trouble with iTunes and App Store. I can log in to Cloud, iTunes, and app store but once I try to download, it says "Youe apple id has been disabled". I've reset my password three times and have no issue on my Pad.

    Hi FuzzyDunlopIsMe,
    Welcome to the Support Communities!
    It's possible that resetting your password multiple times has triggered this security.  Click on the link below for assistance with your Apple ID Account:
    Apple ID: Contacting Apple for help with Apple ID account security
    http://support.apple.com/kb/HT5699
    Here is some additional information regarding your Apple ID:
    Apple ID: 'This Apple ID has been disabled for security reasons' alert appears
    http://support.apple.com/kb/ts2446
    Frequently asked questions about Apple ID
    http://support.apple.com/kb/HT5622
    Click on My Apple ID to access and edit your account.
    Cheers,
    - Judy

  • ISE 1.1.2 failover - Syncronization issue

    Hi everone,
    Scenário:
    I've deployed two Cisco ISE 1.1.2 nodes as follows:
    Node 1 as Primrary Admin, Policy Server and Monitoring
    Node 2 as Secondary Admin, Policy Server and Monitoring
    All configured roles works as expected.
    Problem:
    Once I promote the Node 2 (Secondary node) to become the Primary the problem takes place as described bellow:
    1- The Node 2 restarts the ISE Application and assumes the Primary Admin, Policy Server roles (but Monitoring role remains as Primary)
    2- The Node 1 restarts the ISE Application too and Secondary Admin, Policy Server roles (but Monitoring role remains as Secondaary)
    After the ISE Application becomes up in both nodes the syncronization status appear as NODE NOT REACHABLE.
    Does anyone faced this issue before, or have any idea about it?
    Thanks in advance.

    I may have misunderstood your problem, but.... for your first problem, are you expecting the Monitor node status to change when you promote node 2? You're only promoting the admin role, the monitor role will remain unchanged unless you choose to change which is primary monitor node too (totally separate).
    2nd problem. Sounds like certificate maybe? What are you using in the way of certs for the nodes to auth each other? Did you swap the self signed certs for instance between nodes? Changed certs recently and not delete old ones? I've seen old certs which seem to have been deleted hang around until a full reload.

  • Printable PDF and few other issues

    Hello,
    I am using BIEE 11g and experiencing few issues and looking for advices for issues below :
    1. Printable PDF format
    - When i download dashboard and answer to printable PDF, the PDF's format doesnt seem following the format of dashboard. It maintains overall format, but it becomes uneven. And gap between sections and columns of dashboard are quite different with it of dashboard on the screen.
    - Image included inside columns of table for conditions, It looks fine on the dashboard and answer, but it gets misplaced if i download them in PDF or PPT. Sometimes the images are outside the table. However, it works fine with Excel.
    2. Mobile Device Management
    - For addition of new mobile device, I go to Administration => Manage Device Types. When i try to create a new device, it gives me error message saying "This Device Type cannot be deleted/updated as it is a pre-configured system device". Is there anyway i can add new devices?
    3. MS Word. Direct download impossible for dashboard and answer
    - This one is simple. Is it possible to download answer or dashboard directly as MS Word format. I heard that security of MS Office blocks users for direct download.
    Thanks in advance.

    AngM627,  I can imagine how frustrating it must be for you to keep receiving the notification advising you to update your phone software. Do you mind telling me which software version is on your Incredible 2?

  • Image gallery approach for additional details and add to cart option?

    With efficiency and minimalist downloads for smartphone users I would appreciate advice on a product image gallery.
    Currently I have an intro page and other simple information pages. My gallery pages ( four distinct pages for different leather goods) need  either a pop up or a link to a new page for additional details and an option to add to cart.
    Within the image gallery, How should I link each photo to the new detail/cart page? Can clicking  the image itself be the action or do I need a button?

    I made a mistake. I think I got it right this time. The pop up of the title box works but the images are all gone.
    <!DOCTYPE>
    <html>
    <head>
    <meta charset="UTF-8">
    <title>Lapinel Arts Leatherwork</title>
    <meta name="viewport" content="width=device-width; initial-scale=1.0; maximum-scale=1.0; user-scalable=0;">
    <link href='http://fonts.googleapis.com/css?family=Overlock:400,700|Simonetta:400,900|Marcellus|Junge' rel='stylesheet' type='text/css'>
    <style>
    box-sizing: border-box;
    body {
    margin: 0;
    padding: 0;
    background: #fff;
    font: 14px/20px 'Lucida Sans',sans-serif;
    .wrap {
    overflow: hidden;
    .box {
    float: left;
    position: relative;
    width: 25%;
    text-align: center;
    margin-bottom: 24px;
    .boxInner {
    position: relative;
    text-align: center;
    margin: 0 12px;
    overflow: hidden;
    img {
    max-width: 100%;
    .titleBox {
    position: absolute;
    bottom: 0;
    width: 100%;
    margin-bottom: -70px;
    background: #000;
    background: rgba(0, 0, 0, 0.5);
    color: #FFF;
    padding: 10px;
    text-align: center;
    -webkit-transition: all 0.3s ease-out;
    -moz-transition: all 0.3s ease-out;
    -o-transition: all 0.3s ease-out;
    transition: all 0.3s ease-out;
    .titleBox h2 {
    font-size: 16px;
    margin: 0;
    padding: 0 0 5px 0;
    .titleBox a {
    text-decoration: none;
    color: #fff;
    .boxInner:hover .titleBox {
    margin-bottom: 0;
    @media only screen and (max-width : 768px) {
    .box {
    width: 50%;
    margin-bottom: 24px;
    @media only screen and (max-width : 480px) {
    .box {
    width: 100%;
    @media only screen and (max-width : 1290px) and (min-width : 1051px) {
       /* Medium desktop: 4 tiles */
       .box {
          width: 25%;
          padding-bottom: 25%;
    </style>
    <style>
    section, header, nav {
    display: block;
        box-sizing: border-box;
    body{
    font-family: 'Marcellus', normal;
    background-image: url(DRA-042010-LeatheryTexture-MBFT.jpg);
    font-size: 90%;
    line-height: 140%;
    color: #555;
    margin: 0;
    padding: 0;
    background-color: #FFF;
    #hover-image {
    background-color: #cfc6b0;
    text-align: center;
    img {
    max-width: 100%;
    height: auto;
    .container {
    width: 85%;
    max-width: 1000px;
    margin: 0 auto;
    color: #000;
    header h1 {
    font-size: 300%;
    line-height: 150%;
    text-align: center;
    letter-spacing: 4px;
    padding: 20px 0;
    color: #000;
    font-weight: bold;
    /* top level navigation */
    nav {
        background-color: #E5E4E2;
    nav ul {
    display: block;
    text-align: center;
    margin: 0;
    padding: 0;
    nav li {
    margin: 0;
    padding: 0;
    display: inline;
    position: relative;
    nav a {
        display: inline-block;
        text-decoration: none;
        padding: 10px 25px;
        color: #000;
    nav a:hover {
        background-color: #cfc6b0;
        color: #000;
    nav span {
    display: none;
    /* droplist navigation */
    nav ul ul {
    position: absolute;
    z-index: 1000;
    left: 0;
    top: 2em;
    background-color: #E5E4E2;
    text-align: left!important;
    display: none;
    nav ul ul li a {
    display: block;
    width: 12em;
    border-top: 1px dotted #ccc;
    .about {
    padding: 0 8%;
    margin: 0 auto;
    text-align: center;
    background-color: #E5E4E2;
    .about h2 {
        font-size: 260%;
        line-height: 200%;
        margin: 0;
        padding: 0;
        color: #000;
    .about p {
    font-size: 110%;
    line-height: 150%;
    margin: 0;
    padding: 0 0 20px 0;
    .productsWrapper {
    background-color: #000;
    overflow: hidden;
    padding: 30px 25px;
    .product {
    float: left;
    width: 25%;
    padding: 12px;
    text-align: center;
    color: #fff;
    .product img {
    border: 1px solid #fff;
    .view_details {
    text-decoration: none;
    display: inline-block;
    padding: 15px 20px;
    border-radius: 6px;
    border: 1px dotted #ccc;
    color: #555;
    background-color: #fff;
    .view_details:hover {
    background-color: #E5E4E2;
    #mobileTrigger {
    padding: 10px 25px;
    font-size: 120%;
    display: none;
    color: #000;
    footer {
    clear: both;
    background-color: #cfc6b0;
    padding: 30px;
    color: #fff;
    text-align: center;
    overflow: hidden;
    footer a {
    text-decoration: none;
    color: #000;
        float: left;
        width: 33.33%;
        color: #000;
        border: #000
    .footerBox {
        float: left;
        width: 33.33%;
        color: #000;
    @media screen and (max-width: 768px) {
        .container {
    width: 100%;
    .product {
    width: 50%;
    #mobileTrigger {
    display: block;
    text-align: right;
    nav ul {
    display: none;
    nav li {
    display: block;
    text-align: left;
    nav a {
    display: block;
    font-size: 120%;
    border-top: 1px dotted #ccc;
    nav span {
    display: inline-block;
    float: right;
    font-size: 130%;
    /* droplist navigation */
    nav ul ul {
    position: static;
    nav ul ul li a {
    width: 100%;
    @media screen and (max-width: 480px) {
    .product {
    float: none;
    width: 100%;
    body,td,th {
    font-family: Marcellus, normal;
    #copyright {
    color: #000;
    font-weight: bold;
    </style>
    <script type="text/javascript" src="http://lapinelarts.com/JS/jquery-1.11.2.min.js"></script>
    <script type="text/javascript" src="http://lapinelarts.com/JS/jquery.cycle2.min.js"></script>
    <link rel="stylesheet" href="http://maxcdn.bootstrapcdn.com/font-awesome/4.3.0/css/font-awesome.min.css">
    <script>
    $(document).ready(function() {
    //activate mobile navigation icon when window is 768px
    $('#mobileTrigger').css('cursor','pointer').click(function() {
    $('#mobileTrigger i').toggleClass('fa-bars fa-times');
    $('nav ul').toggle();
    // show main desktop navigation onresize/hide sub navigation
    $(window).on('resize', function(){
    var win = $(this); //this = window
    if (win.width() > 768) {
    $('nav ul').show();
    $('nav ul ul').hide();
    //listen for navigation li being clicked
    $('nav ul li').click(function() {
    $(this).find('ul').slideToggle();
    //toggle font awesome icons
    $(this).find('i').toggleClass('fa-bars fa-times');
    //events if window is less than 768px
    if ($(window).width() < 768) {
    //stops submenu sliding up when mouse leaves mobile
    $('nav ul ul').show();
    else {
    //activate desktop submenu on hover
    $('nav ul li').mouseenter(function() {
    $(this).find('ul').slideToggle();
    //toggle font awesome icons
    $(this).find('i').toggleClass('fa-bars fa-times');
    //desktop submenu slides up when mouse leaves ul/li
    $('nav ul ul').mouseleave(function() {
    $(this).slideUp();
    $('nav ul li').mouseleave(function() {
    $(this).find('ul').slideUp();
    function MM_swapImgRestore() { //v3.0
      var i,x,a=document.MM_sr; for(i=0;a&&i<a.length&&(x=a[i])&&x.oSrc;i++) x.src=x.oSrc;
    function MM_preloadImages() { //v3.0
      var d=document; if(d.images){ if(!d.MM_p) d.MM_p=new Array();
        var i,j=d.MM_p.length,a=MM_preloadImages.arguments; for(i=0; i<a.length; i++)
        if (a[i].indexOf("#")!=0){ d.MM_p[j]=new Image; d.MM_p[j++].src=a[i];}}
    function MM_findObj(n, d) { //v4.01
      var p,i,x;  if(!d) d=document; if((p=n.indexOf("?"))>0&&parent.frames.length) {
        d=parent.frames[n.substring(p+1)].document; n=n.substring(0,p);}
      if(!(x=d[n])&&d.all) x=d.all[n]; for (i=0;!x&&i<d.forms.length;i++) x=d.forms[i][n];
      for(i=0;!x&&d.layers&&i<d.layers.length;i++) x=MM_findObj(n,d.layers[i].document);
      if(!x && d.getElementById) x=d.getElementById(n); return x;
    function MM_swapImage() { //v3.0
      var i,j=0,x,a=MM_swapImage.arguments; document.MM_sr=new Array; for(i=0;i<(a.length-2);i+=3)
       if ((x=MM_findObj(a[i]))!=null){document.MM_sr[j++]=x; if(!x.oSrc) x.oSrc=x.src; x.src=a[i+2];}
    </script>
    <style type="text/css">
    </style>
    </head>
    <body onLoad="MM_preloadImages('810_0776_smaller.jpg')">
    <header>
    <h1>LAPINEL ARTS LEATHERWORKS</h1>
    <nav>
    <div id="mobileTrigger"><i class="fa fa-bars"></i></div>
    <ul>
    <li><a href="#">ABOUT US</a></li>
    <li><a href="#">PROCESS</a></li>
    <li><a href="#">PRODUCTS<span><i class="fa fa-bars"></i></span></a>
    <ul>
    <li><a href="#">PURSES</a></li>
    <li><a href="#">POUCHES</a></li>
    <li><a href="#">TOTES</a></li>
    <li><a href="#">WALLETS</a></li>
    </ul>
    </li>
    <li><a href="#">CART</a></li>
    <li><a href="#">CONTACT</a></li>
    </ul>
    </nav>
    </header>
    <section class="about">
    <h2>PURSES</h2>
    <p>There are several styles and sizes of purses available. Custom orders can be arranged but most of these purses are unique and with limited runs of art styles.</p>
    <p>Please click on the detail button for larger and additional views and the opportunity to add the item to your cart.<strong></strong></p>
    </section>
    <div id="hover-image">
    <div class="wrap">
    <!-- Define all of the tiles: -->
    <div class="box">
    <div class="boxInner">
    <img src="http://oddiant.poatemisepare.ro/wp-content/uploads/Viceroy-Butterfly-Limenitis-archippus.j pg" />
    <div class="titleBox">
    <h2>Butterfly</h2>
    <a href="http://www.bbc.co.uk">View Details</a>
    </div>
    </div>
    <!-- end boxInner -->
    </div>
    <!-- end box -->
    <div class="box">
    <div class="boxInner">
    <img src="http://oddiant.poatemisepare.ro/wp-content/uploads/Viceroy-Butterfly-Limenitis-archippus.j pg" />
    <div class="titleBox">
    <h2>Butterfly</h2>
    <a href="http://www.bbc.co.uk">View Details</a>
    </div>
    </div>
    <!-- end boxInner -->
    </div>
    <!-- end box -->
    <div class="box">
    <div class="boxInner">
    <img src="http://oddiant.poatemisepare.ro/wp-content/uploads/Viceroy-Butterfly-Limenitis-archippus.j pg" />
    <div class="titleBox">
    <h2>Butterfly</h2>
    <a href="http://www.bbc.co.uk">View Details</a>
    </div>
    </div>
    <!-- end boxInner -->
    </div>
    <!-- end box -->
    <div class="box">
    <div class="boxInner">
    <img src="http://oddiant.poatemisepare.ro/wp-content/uploads/Viceroy-Butterfly-Limenitis-archippus.j pg" />
    <div class="titleBox">
    <h2>Butterfly</h2>
    <a href="http://www.bbc.co.uk">View Details</a>
    </div>
    </div>
    <!-- end boxInner -->
    </div>
    <!-- end box -->
    </div>
    <!-- end wrap -->
    <footer>
      <div class="footerBox"><a href="mailto:[email protected]">EMAIL CATHY </a></div>
    <div class="footerBox"><a href="https://www.facebook.com/LapinelArtsLeatherwork"> FACEBOOK</a></div>
    <div class="footerBox">COPYRIGHT 2015</div>
    </footer>
    </div>
    </body>
    </html>

  • Iphone 4 and itunes syncing issues

    Not sure if this is an itunes issue or iphone4 + itunes issue
    So got the new iphone4 and was able to activate, restore backup and sync additional song and videos. After the second or third sync, Itunes started to crash my windows xp when syncing started. I tried syncing with ipod and iphone 3g to see if it was an itunes issue, but they sync fine. Anyone experiencing this or have any thoughts?
    Thanks!

    Same happening with me, though I can't find the source of what's causing mine to crash. I have not yet synced any music to my iPhone4 so it can't be that. I've deleted my Winnie-the-Pooh book (which i had read elsewhere to be the source) and any free apps that I thought might be the cause too but still, itunes crashes when it starts "backing up iphone".
    Can anyone help??
    Have just turned my iPhone off and back on again, and deleted an app that I remembered didn't work 100% and now iTunes doesn't crash!
    Message was edited by: laurawarren1

  • Cisco ISE 1.1 and IE9

    Is anyone else having problems with ISE admin/monitoring pages not working properly under IE9?  I just completed an upgrade to ISE 1.1, and it seems more and more, when I try to manage the system with IE9, I will get the following error (host name changed to protect the inocent). I dont know if this is truly an IE9 issue, or the chrome plug-in we are forced to use.  Works perfect under Firefox 11.0.
    This webpage is not available
    The webpage at https://iseserver.domain.com/mnt/pages/dashboard/dashboard.jsp?mnt_config_write=true&token=BEGIN_TOKENXspmm4x5AwFsV6NExIBAVA==END_TOKEN might be temporarily down or it may have moved permanently to a new web address.
    Error 103 (net::ERR_CONNECTION_ABORTED): Unknown error.

    Supported Administrative User Interface Browsers
    You can access the Cisco ISE administrative  user interface using the following browsers:
    •Mozilla Firefox 3.6 (applicable for  Windows, Mac OS X, and Linux-based operating systems)
    •Mozilla FireFox 9 (applicable for Windows,  Mac OS X, and Linux-based operating systems)
    •Windows Internet Explorer 8
    •Windows Internet Explorer 9 (in Internet  Explorer 8 compatibility mode)
    Cisco ISE GUI is not supported on  Internet Explorer version 8 running in Internet Explorer 7 compatibility mode.  For a collection of known issues regarding Windows Internet Explorer 8, see the  "Known Issues" section of the Release Notes for the Cisco Identity Services  Engine, Release 1.1.

  • Newbie question – frame and cells resizing issues

    I am a newbie to ‘efficient web designing’. I
    have done previously simpler works.
    This is what I am trying to do this time. I am creating a
    modular web site where I will be using only one design layout(800 x
    600) and repeating that 3-4 times along the length of a single page
    and also in all the other pages on the website ( using same layout
    but different contents). The way I started is
    1) Created a design layout in Photoshop
    2) Created slices
    3) Saved all sliced images in image folder
    4) Created one large table 800x600 (size of a single layout
    module) in dreamweaver
    5) Created nested tables inside the main table, (based upon
    different cell divisions)
    6) Created cells in the tables corresponding to slice layout
    in the photoshop
    7) Inserted the sliced images in the corresponding cells to
    recreate my photosop layout in dreamweaver.
    8) The issue that I am having is that the cells are not
    getting to be the size of the images.
    SO HOW DO I MAKE MY CELLS FIT MY IMAGES. I tried putting the
    size of my sliced images in the property box of the cells but the
    cells just won’t become of that size. What is stopping them?
    What could I be doing wrong? Is my working method appropriate for
    what I want to achieve?
    Any help would be appreciated.

    Not really sure what you are trying to achieve... but
    creating an 800x600
    web page with Photoshop sliced images is not "efficient we
    designing"
    Everyone sets the size of their web browsers to a differant
    size depending
    on taste, visual accuity and the task at hand. Table cells
    are simply
    elastic containers. Think of them like a baloon. Small when
    you take it
    out of the bag but potentially really big with enough hot
    air.
    A cell will expand to fit whatever you put into it, but it
    starts out small.
    If you put a 200x200 slice of image as a background, you need
    to somehow set
    the size of the cell to 200x200, but if you put too much text
    in the cell,
    it will grow larger than 200x200 and leave your background
    either stranded
    with gaps around it or tiled and repeating itself.
    If you put the slices directly into the cells, make sure you
    have all
    padding, cell spacing, and margins set to 0. Now, you won't
    be able you put
    text over the image but you could use hot spots or just
    direct links from
    the image.
    Photoshop is an image editing program originally created for
    print
    applications. What you need to
    consider is creating you web site in a flexible format and
    augmenting your
    design with images editied in Photoshop.
    Best idea is get some books on html and css and learn what
    you can about web
    design, then add your graphics.
    "yamirb" <[email protected]> wrote in
    message
    news:[email protected]...
    >I am a newbie to ?efficient web designing?. I have done
    previously simpler
    > works.
    > This is what I am trying to do this time. I am creating
    a modular web site
    > where I will be using only one design layout(800 x 600)
    and repeating that
    > 3-4
    > times along the length of a single page and also in all
    the other pages on
    > the
    > website ( using same layout but different contents). The
    way I started is
    > 1) Created a design layout in Photoshop
    > 2) Created slices
    > 3) Saved all sliced images in image folder
    > 4) Created one large table 800x600 (size of a single
    layout module) in
    > dreamweaver
    > 5) Created nested tables inside the main table, (based
    upon different cell
    > divisions)
    > 6) Created cells in the tables corresponding to slice
    layout in the
    > photoshop
    > 7) Inserted the sliced images in the corresponding cells
    to recreate my
    > photosop layout in dreamweaver.
    > 8) The issue that I am having is that the cells are not
    getting to be the
    > size
    > of the images.
    >
    > SO HOW DO I MAKE MY CELLS FIT MY IMAGES. I tried putting
    the size of my
    > sliced
    > images in the property box of the cells but the cells
    just won?t become of
    > that
    > size. What is stopping them? What could I be doing
    wrong? Is my working
    > method
    > appropriate for what I want to achieve?
    >
    > Any help would be appreciated.
    >
    >

  • Slowness and security certificate issues

    After updating my firefox to 18.0 on my mac book pro mac os 10.8.2 even i get slowness and hangs on standard pages. For example when i enter facebook the pictures do not display the hourglass appears the program slows down hardly responds and i kill the task. The same issue is also about security certificates 17.0.1 was letting me in to enter for example : fb.playkb.com site. 18.0 just hangs on there too. I tried to update the flash version totally clear and uninstall and fresh install the 18.0. Still hangs. I rolled back to 17.0.1 and it works perfectly.

    Could you try disabling graphics hardware acceleration? Since this feature was added to Firefox, it has gradually improved, but there still are a few glitches.
    You might need to restart Firefox in order for this to take effect, so save all work first (e.g., mail you are composing, online documents you're editing, etc.).
    Then perform these steps:
    *Click the orange Firefox button at the top left, then select the "Options" button, or, if there is no Firefox button at the top, go to Tools > Options.
    *In the Firefox options window click the ''Advanced'' tab, then select "General".
    *In the settings list, you should find the ''Use hardware acceleration when available'' checkbox. Uncheck this checkbox.
    *Now, restart Firefox and see if the problems persist.
    Additionally, please check for updates for your graphics driver by following the steps mentioned in the following Knowledge base articles:
    [[Troubleshoot extensions, themes and hardware acceleration issues to solve common Firefox problems]]
    [[Upgrade your graphics drivers to use hardware acceleration and WebGL]]
    Did this fix your problems? Please report back to us!

  • Not distributued and Not included issues.

    We have a couple of issues with Not distributed and Not included issues. First, since they are commingled with our variances they do not get passed through to PA so we are off between GL and PA. Second, the not distributed are not part of inventory since they  remain in the variance account.
    Anyone have experience with these and any solutions for these issues?
    SAP says we can turn off the price delimiter but we are uncertain as to the effect overall.
    Anyway to isolate these to a different GL account posting?

    <b>Solution</b>
         **<b>'Not distributed'</b> price differences can be due to three reasons:
         <b>A)</b> System applied a 'Price limiter' logic (stock coverage check).
         You can analyse this case using the value flow monitor transaction:
             - for release 4.7 , transaction CKMVFM
             - for release  4.6C,  program SAPRCKM_VERIFY_PRICE_DET (note 324754 is required).
             - for release  < 4.6C: Program ZVERIFY_PRICE_DET  included in the note 324754 Or  directly checking the field CKMLPP-PBPOPO manually.
         In this case, the value field CKMLPP-PBPOPO > cumulative inventory.
         If you still want these price differences to be distributed , you can switch off price limiter logic. Then all price differences are posted to stock, and the price difference account is cleared. You should  decide
         for each material if you want to switch off price limiter logic or not.
         So you can achieve a compromise between realistic prices and clearing
         the balance of the price different account.
         Price limiter logic can be switched off in the following way:
    Resetting the price limiter quantity:
              In release 4.7 this is done uising transaction CKMVFM.
              In release <= 46C using the    ZREMOVE_PRICE_LIMITER (see note 325406).
    Note 855387:
              Application of this note will create an additional selection parameter for step 'Single Level Price Determination' to switch on/off price limiter logic.
              This option is the better way, as it is faster provides more flexibility (see the note for more information).
         <b>B)</b> System applied a fallback strategy during price determination
         (see note 579216) to avoid a negative periodic unit price (PUP).
         Please check the attached  note 579216:
         If the regularly calculated PUP (based on  'Cumulative Inventory' line) would become negative, the system uses a different strategy to calculate the PUP:
         The PUP is calculated with these priorities:
         1.'Cumulative Inventory' line (no fallback)
         2.Receipts ('ZU') line  (Info message C+ 135 in the log)
         3.Beginning inventory ('AB') line  (Info message C+ 135 in the log)
         4.PUP-price of previous period (Info message C+ 136 in the log)
         5.S-price (->(Info message C+ 137 in the log)
         The fallback strategy is active by default for Single-Level price determination.
         For multilevel price determination it must be activated with parameter 'Negative price: automatic error management'.
         As a solution, you might check the postings of these materials if they really need to have such big negative price differences or if there is some kind of error in the posting or the production structure
         If you find such errors, you might reverse the corresponding postings and report them in a correct way.
         Or, you might use transaction MR22 (debit/credit material) in order to post a small positive amount of differences to the concerned materials
         so that the resulting actual price would no longer be negative. Then you could perform the period closing (which you had to reverse before).
         In the next period, you might remove this manual posted value from the materials (again with MR22) in order to correct the overall stock values back to their original amounts.
         <b>C)</b> Due to a source code error with transaction CKMM.
         The above situation may be produced because transaction CKMM was executed during the corresponding period.
         When transaction CKMM is processed the system deletes the price differences for the material in the period and these differences are not longer in the period record tables.
         See note 384553 for further details.
         The fact is that the price differences are still visible in CKM3 (as not distributed). This is due to the missing reset of summarization records (MLCD).
         This error is just a problem of CKM3 display, because the differences shown as 'not distributed' do not exist in the periodic records. The PUP of the material is calculated correctly.
         This error is corrected by note 838989 for the future.

  • "Broken" NICs and General Stability Issues with Neo 4 Platinum

    I have a XP Pro SP2 system with a Neo4 Platinum that is behaving very strangely.
    I've been getting increasingly frequent bluescreens (mostly low level kernel errors and such) while under moderate to heavy load for the past few weeks. I gave up and reinstalled XP Pro this weekend to try to fix the problem. The errors have continued, and during the install process I noticed several more hardware problems that seem to have slowly been getting worse.
    The second (non-nVidia) gigiabit NIC is completely missing, i.e. it does not show up in Windows nor on the integrated peripherals screen in the BIOS. In addition, I do not get a link light when I plug it into a switch. According to the manual and my memory, there should be similar options for the second NIC as I'm currently seeing for the nVidia one in the BIOS.
    In addition, the nVidia-based NIC does not function close to properly. Whenever I download a file or do any sort of network activity, the data that I get is corrupted. Zip files and installers that verify downloads report CRC errors and SSH connections/file transfers just plain die, complaining about bad packets.
    It doesn't seem to be a heat problem, because, watching the temps in the BIOS after a bluescreen, the CPU is at most 45, and usually less. I don't have any of the overclocking options enabled, just the "optimized defaults" except for disabling the boot splash screen. I've tried BIOS 1.6, 1.8, and 1.9, all of which have the same issues. I have the latest motherboard and graphics drivers.
    Anybody here have any idea about what's going on? Thanks in advance.
    System:
    XP Pro SP2
    K8N Neo4 Platinum
    Athlon 64 3200+ (Venice Core)
    2x Corsair 512 MB DDR400
    GeForce 6800GT
    2x WD 250 GB SATA
    Seagate 120 GB IDE
    NEC IDE DVD-RW
    Soundblaster Audigy PCI
    Enermax 425W PSU

    You haven't installed the Nvidia Firewall have you? That cause my system to be unstable and blue screen a lot. Removed the Nvidia firewall problem sorted. I don't know about the marvell nic not working, does it show in device manager?

  • Sierra Wireless EM7345 ThinkPad 8 and 10 general issues

    This was posted as a reply to german forum but it was deleted Symptoms (mobile connection is connected)
     1. mobile connection randomly disconnects. It is possible to reconnect again. 2. when resume from Connected standby mode the mobile connection appears to be connected but it is dead. It is not possible to disconnect nor turn off the mobile connection, it is stuck. Windows restart is required to resolve it. 3. when resume from Connected standby mode the EM7345 composite device disappears at all from Device Manager and new unknown device '1 CDC' appears. Windows restart is required to resolve it. Note: Issues 2 and 3 occurs when running on battery only. I don't have any occurence when the tablet was plugged in AC, turned off (into Connected standby mode) and on, yet. I have already tried to reinstall the 1.6.10513.4153 driver, no luck. I have also tried to disable 'USB selective suspend' feature in driver settings and switch off GNSS device (because it has Sierra Wireless driver), no change. I have latest BIOS 1.24 (ThinkPad 8, 64 bit). It is hard to reproduce the case 3 but I have almost reliable steps: 1. uninstall current driver (even it is the latest version)2. restart3. install current 1.6.10513.4153 driver, select Custom Setup, make sure the 'WWAN Logging Tool' is selected, finish the installation4. restart 5. establish mobile connection6. go to Start menu, Intel group, start 'M.2 WWAN Logging Tool'7. press Start Trace button8. turn off the tablet (while the tracing is running) by power button, wait for a minute 9. turn on the tablet(repeat steps 8 and 9 multiple times, in case you can not reproduce it at the first time) EM7345 device disappears with typical unknown 1 CDC device. Yes, it is not a standard operation but it is easily reproducible with the same result. Similar issue is reported in other forum posts for ThinkPad 8 and 10
     http://forums.lenovo.com/t5/ThinkPad-Tablets/Thinkpad-8-with-Sierra-Wireless-EM7345-Driver-or-Firmware-issue/m-p/1758961http://forums.lenovo.com/t5/ThinkPad-Slate-Tablets/Tablet-8-win-8-1-unbekanntes-Gerät-1-CDC-kein-mobiles-breitband/m-p/1839400http://forums.lenovo.com/t5/ThinkPad-Tablets/Thinkpad-10-EM7345-stops-working/td-p/1742115http://forums.lenovo.com/t5/ThinkPad-Tablets/Flaky-WWAN-in-ThinkPad-10/m-p/1793007 Additional related issue - firmware update does not work
     Old firmware 1.1 that can not be updated to 1.2, read this thread http://forums.lenovo.com/t5/T400-T500-and-newer-T-series/T540p-Sierra-WWAN-EM7345-reliability/m-p/1839271#M106663 The 1.2 firmware might help to resolve the issue (although this post states it actually did not help). Technical details When the USB composite device (EM7345 = WWAN + GNSS) disappears it incorrectly identifies itself as VID = 1519, PID = F000 so Windows can not find proper driver for the device and displays it with (?) icon. If you remove the '1 CDC' device from Device Manager and perform 'Scan for hardware changes' this time it is correctly identified as VID = 1199, PID = A001 and installed (these tasks can be automated using devcon.exe command-line tool, so the fix wouldn't require OS restart everytime it occurs. It is still hack, not a solution). It looks like a firmware bug because the USB composite device and WWAN MBIM device uses Microsoft generic driver. Summary Given the price tag of ThinkPad 8 and 10 tablets, Lenovo should fix that because this is basic functionality failure. Disappearing WWAN device that needs full restart is really serious issue. And again, please diagnose and resolve the issue (hint , hint) instead of "try to reinstall this, try to reinstall that, replace this, replace that" advices. It leads to nowhere because the driver/firmware is buggy as it was in the past with Ericsson device. (copy of the post is stored)

    More details. I installed USB Device Viewer from Windows Driver Kit to get some information. When the EM7435 device is healthy: [Port3] : USB Composite Device
    Is Port User Connectable: no
    Is Port Debug Capable: no
    Companion Port Number: 0
    Companion Hub Symbolic Link Name:
    Protocols Supported:
    USB 1.1: yes
    USB 2.0: yes
    USB 3.0: no
    Device Power State: PowerDeviceD2
    ---===>Device Information<===---
    String Descriptor for index 2 not available while device is in low power state.
    ConnectionStatus:
    Current Config Value: 0x01 -> Device Bus Speed: High (is not SuperSpeed or higher capable)
    Device Address: 0x05
    Open Pipes: 6
    ===>Device Descriptor<===
    bLength: 0x12
    bDescriptorType: 0x01
    bcdUSB: 0x0200
    bDeviceClass: 0xEF -> This is a Multi-interface Function Code Device
    bDeviceSubClass: 0x02 -> This is the Common Class Sub Class
    bDeviceProtocol: 0x01 -> This is the Interface Association Descriptor protocol
    bMaxPacketSize0: 0x40 = (64) Bytes
    idVendor: 0x1199 = Sierra Wireless Inc.
    idProduct: 0xA001
    bcdDevice: 0x1729When the EM7435 device disappears and is shown as unknown '1 CDC' device [Port3]
    Is Port User Connectable: no
    Is Port Debug Capable: no
    Companion Port Number: 0
    Companion Hub Symbolic Link Name:
    Protocols Supported:
    USB 1.1: yes
    USB 2.0: yes
    USB 3.0: no
    ---===>Device Information<===---
    String Descriptor for index 2 not available while device is in low power state.
    ConnectionStatus:
    Current Config Value: 0x00 -> Device Bus Speed: High (is not SuperSpeed or higher capable)
    Device Address: 0x02
    Open Pipes: 0
    *!*ERROR: No open pipes!
    ===>Device Descriptor<===
    bLength: 0x12
    bDescriptorType: 0x01
    bcdUSB: 0x0200
    bDeviceClass: 0x02 -> This is a Communication Device
    bDeviceSubClass: 0x00
    bDeviceProtocol: 0x00
    bMaxPacketSize0: 0x40 = (64) Bytes
    idVendor: 0x1519 = Comneon GmbH Co., Ohg.
    idProduct: 0xF000
    bcdDevice: 0x1234 I have also tried to diagnose what exactly happens after returning from Connected standby usingUSB hardware verifier but as usually I can not reproduce it while the tool is used

Maybe you are looking for

  • Sort iTunes folder by album

    I have a lot of music in an iTunes folder on a backup drive. I want to be able to sometimes take some of it and replace the existing music on my iPod. iTunes, however, has organized the music on the backup drive by artist. This is fine for most album

  • Java Plug-in not working with WinXP SP2 Registry Key Missing Error Pop-Up

    I have WinXp PRO with SP2 and the Oct 12 Security Update Patch for SP2 loaded and I went to my Control Panel and saw that the JavaRuntime Environment 1.4.2_04 icon was missing and when I went to click the Java Plugin icon to Open it, I got the follow

  • I am unable to restore my photos when I had to get another 1 I did back up all my stuff on iCloud

    I Need help retrieving my photos from ICloud after I trading in my iPad I restored everything except my photos

  • Premiere Pro Error reading

    Premiere Pro has encountered an error.  [/Volumes/BuildDisk/builds/slightlybuilt/shared/adobe/MediaCore/AudioRenderer/Make/Mac/../ ../Src/AudioRender/AudioPrefetch.cpp-99] Might anyone know what this means? Heather

  • Lazy initialization of ValueHolderInterface

    We are initializing the value holders lazily, for example we are initializing them checking them if they are null in the getter methods, from the code patterns it is always seem that value holders are initialized in the constructors of the POJO. what