Headersmac Designs



This module contains a series of classes and examples aimed at modeling themodulation and medium access technology of a LoRaWAN network. Thanks to a simpleunderlying physical layer model and to the regulations imposed on traffic in theunlicensed bands this technology operates on, this module can supportsimulations featuring a large number of devices that access the wireless channelinfrequently.

  • The Falcon is an old design that still looks fresh and contemporary today, that's a true testament to how well styled it is. Nothing Ford makes globally with four-doors approaches it. Even the base models are at least handsome. That's not something you can say about very many sedans on the market.
  • Feb 22, 2014 - Explore rachel horne's board 'Magazine Headers' on Pinterest. See more ideas about magazine design, cover design, editorial design.

The following parts of this documentation first outline how the technology worksand then describe how it was translated into a system of classes in order tosimulate a LoRaWAN system.

Custom Mild and Stainless Headers GPHeaders’ Custom Header Mockup Kit allows you to design a set of truly custom headers without the vehicle ever leaving your location. We supply our customers with mockup header flanges and collectors along with our adjustable aluminum mockup elbows (see img. #1) allowing you to design any header imaginable.

Technology¶

LoRaWAN is a Low Power Wide Area Network (LPWAN) technology built on the LoRamodulation. This technology allows a large number of devices to communicatewirelessly over long distances (in the order of 5-15 km, depending on thepropagation environment) at low data rates. The typical scenario in which thistechnology is expected to be employed is that of an IoT network, where devicesneed to communicate sparsely and only need short payloads to transmitsome information coming from, typically, a sensor.

LoRa¶

The basis of LoRaWAN is the proprietary Long Range (LoRa) modulation, owned bySemtech. This modulation, based on Chirp Spread Spectrum (CSS), spreads a signalover a certain band by leveraging a chirp signal that scans the availablebandwidth linearly.

One of the key parameters of the modulation is the Spreading Factor (SF): thisvalue, ranging from 7 to 12, expresses how much a packet is spread in time(i.e., how long it takes for a chirp to complete a complete scan of theavailable bandwidth). Transmissions using a low SF need a lower Time on Air(ToA) (assuming the same bandwidth) than packets using SF values closer to 12.The advantage of using higher SFs is in the increased sensitivity of thereceiver: as an example, a transmission using SF7 that cannot be detected by aLoRa receiver may be correctly demodulated if performed using SF12. Anotherkey feature of the modulation is the quasi-orthogonality between transmissionsusing different SF values: even if two packets overlap in time, a receiver maystill be able to demodulate one of the packets, assuming that they are usingdifferent SF and that some restrictions on their reciprocal power are respected.

More details on how the modulation works can be found in[semtech2015modulation] (an official document explaining the modulation) and in[knight2016reversing] (a reverse engineering of the modulation by Matt Knight).

LoRaWAN¶

Jewelry

The LoRa Alliance first defined the LoRaWAN standard in [lorawanstandard],with the objective of creating a medium access scheme and a set of networkmanagement policies that leverage the properties of the modulation to achievegood network performance at a low price in the complexity of the devices.

The topology of a LoRaWAN network is represented in the figureTopology of the LoRaWAN architecture., where dotted lines represent a LoRa wireless link whilesolid lines are other kinds of high throughput, high reliability connections. Itcan be seen that there are three kinds of devices in a LoRaWAN network: EndDevices (EDs), Gateways (GWs) and a Network Server (NS). End Devices are basicnetwork nodes: typically inexpensive, they are constrained by low computationalcapabilities and are usually powered by a battery. Gateways are high-end, mainspowered devices that are tasked with collecting the data transmitted by EndDevices leveraging the LoRa modulation. After a packet is correctly received, itis forwarded to the Network Server via a link with high reliability and speed.The Network Server functions as a sink for data coming from all devices, and asa controller of the network that can leverage some MAC commands to changetransmission settings in the End Devices.

End Devices of the most basic type are defined as Class A devices, and arecurrently the only kind of device supported by this module. Class A devicesperform transmission in a totally asynchronous way, and open two receive windowsof fixed duration after each transmission to allow the Network Server totransmit acknowledgments or MAC commands.

Another important characteristic of the standard is that it is defined to workon unlicensed bands in various regions, which usually subject transmitters toregulations on duty cycle. This fact will be explained in greater detail in theMAC layer model section of this document.

Module design¶

This module comprises two main models: one for the LoRa PHY layer that needs torepresent LoRa chips and the behavior of LoRa transmissions, and one for theLoRaWAN MAC layer, that needs to behave according to the officialspecifications.

To represent these two models, the module features two generic LoraPhy andLorawanMac base classes. These classes are then extended by classes thatmodel the peculiarities of the two wireless network devices: the End Device (ED)and the Gateway (GW). So, the PHY layers can be modeled by use ofEndDeviceLoraPhy and GatewayLoraPhy classes, while objects of classEndDeviceLorawanMac, ClassAEndDeviceLorawanMac, and GatewayLorawanMacare used to represent the MAC layer. A NetworkServer application can also beinstalled on a node that will then administer the wireless network through theGW’s forwarding application, Forwarder, which leverages the gateway’s LoRacommunication capabilities to forward to End Devices the Network Server’spackets.

PHY layer model¶

The model for the PHY layer needs to take into account the two key factors ofLoRa, sensitivity and orthogonality, to decide whether a transmission isreceived correctly or not. Besides, it also needs to be aware of how the chipsimplementing the modulation work, and of their architecture.

Link model¶

The link model takes into account three main components to determine theperformance of a LoRa transmission:

  • Data about device sensitivity taken from device datasheets;

  • A model to account for the interference between different LoRa transmissions;

  • A series of assumptions regarding this interference model.

In this section, we will describe each portion of the model with a particularfocus on its implementation in the code.

The LoraChannel class is used to interconnect the LoRa PHY layers of alldevices wishing to communicate using this technology. The class holds a list ofconnected PHY layers, and notifies them about incoming transmissions, followingthe same paradigm of other Channel classes in ns-3.

PHY layers that are connected to the channel expose a public StartReceivemethod that allows the channel to start reception at a certain PHY. At thispoint, these PHY classes rely on a LoraInterferenceHelper object to keeptrack of all incoming packets, both as potentially desirable packets and asinterference. Once the channel notifies the PHY layer of the incoming packet,the PHY informs its LoraInterferenceHelper right away of the incomingtransmission. After this, if a PHY fills certain prerequisites, it can lock onthe incoming packet for reception. In order to do so:

  1. The receiver must be idle (in STANDBY state) when the StartReceivefunction is called;

  2. The packet receive power must be above a sensitivity threshold;

  3. The receiver must be listening on the correct frequency;

  4. The receiver must be listening for the correct SF.

The sensitivity threshold that is currently implemented can be seen below(values in dBm):

After the PHY layer locks on the incoming packet, it schedules an EndReceivefunction call after the packet duration. The reception power is considered to beconstant throughout the packet reception process. When reception ends,EndReceive calls the IsDestroyedByInterference method of the PHY’sinstance of LoraInterferenceHelper to determine whether the packet is lostdue to interference.

Headers

The IsDestroyedByInterference function compares the desired packet’sreception power with the interference energy of packets that overlap with it ona SF basis, and compares the obtained SIR value against the isolation matrixthat was tabulated in [goursaud2015dedicated] and reproduced below. Forexample, if the desired packet is using SF7, and it is (even partially)overlapped to two packets using SF10, the desired signal’s energy (computed asthe product of reception power and signal duration) is compared to the summedenergy of the two interferers (computed as the product of the interferer’s powerat the receiver and overlap time). The ratio between the desired and theinterference energy from each spreading factor (considered separately) is thencompared to the table below, in which rows identify the desired signal’s SF,while columns represent the interfering SF that is currently being considered.If the SIR is above the tabulated threshold, the packet is received correctlyand forwarded to the MAC layer.

A full description of the link layer model can also be found in[magrin2017performance] and in [magrin2017thesis].

Gateway model¶

The chip installed on LoRa GWs needs special attention because of itsarchitecture: since it is characterized by the presence of 8 parallel receivepaths, it can receive multiple packets in parallel [sx1301]. Thisbehavior is represented in the simulator through a ReceptionPath object thatbehaves as an EndDeviceLoraPhy, locking into incoming packets and comparingthem to others to determine correct reception by using the gateway’sLoraInterferenceHelper instance. A GatewayLoraPhy, then, is essentiallya manager of this collection of ReceptionPath objects. Upon arrival of apacket, the gateway picks a free reception path (if there are any), marks it asoccupied and locks it into the incoming packet. Once the scheduledEndReceive method is executed, the gateway’s LoraInterferenceHelper(which contains information used by all ReceptionPaths) is queried, and itis decided whether the packet is correctly received or not.

Some further assumptions on the collaboration behavior of these reception pathswere made to establish a consistent model despite the SX1301 gateway chipdatasheet not going into full detail on how the chip administers the availablereception paths:

  • Receive paths can be configured to listen for incoming packets on anyfrequency;

  • Receive paths can be allocated freely on the available frequencies;

  • Receive paths don’t need to be pre-configured to listen for a certainspreading factor (thus, point 4 of the prerequisites stated above for EndDevices doesn’t apply);

  • If a packet is incoming and multiple receive paths are listening for the samechannel, only one locks into the incoming packet;

  • If all reception paths listening on a channel are locked into an incomingpacket and another packet arrives, the new packet is immediately marked aslost.

MAC layer model¶

The MAC models contained in this module aim at implementing the LoRaWANstandard. To facilitate this task, a series of side classes were created tohandle headers, MAC commands, logical channels and duty cycle computations.Furthermore, a simplified version of a Network Server (NS) is also provided inthe form of an application that can be installed on a ns-3Node andconnected to the GWs via a PointToPoint link to also simulate a backbonechannel.

Headers, MAC commands and addressing system¶

The packet structure defined by the LoRaWAN standard is implemented through twoclasses that extend the Header class: LorawanMacHeader andLoraFrameHeader. In particular, LoraFrameHeader can include MAC commandsby leveraging the MacCommand and LoraDeviceAddress classes, that areused to make serialization, deserialization and interpretation of MAC commandsand the LoRaWAN address system easier.

MAC commands are implemented by extending the MacCommand class. Each childclass is used to define a set of command variables, methods to serialize anddeserialize the commands inside a LoraFrameHeader, and callbacks to the MAClayer to perform actions. This structure can facilitate the implementation andtesting of custom MAC commands, as allowed by the specification.

The LoraDeviceAddress class is used to represent the address of a LoRaWANED, and to handle serialization and deserialization.

Logical channels and duty cycle¶

Since LoRaWAN operates in unlicensed bands that are subject to restrictions onduty cycle, a series of objects were created to keep track of availabletransmission time and limit transmission at the MAC layer in case the layersabove aren’t aware of these limitations. A LogicalLoraChannelHelper isassigned to each LorawanMac instance, and is tasked with keeping track of allavailable logical channels (which can be added and modified with MAC commands,and are represented by the LogicalLoraChannel class) and is aware of thesub-band they are in (through instances of the SubBand class).

Additionally, in order to enforce duty cycle limitations, this object alsoregisters all transmissions that are performed on each channel, and can bequeried by the LorawanMac instance to know the next time in which transmissionwill be possible according to the regulation. If a transmission of duration is performed by the device on a channel where the duty cycleexpressed in fractional form is , the time the device needs tostay off is computed according to the following formula:

This time is kept track of on a sub band basis, so that if two channels areunder the same regulation, a transmission on one of them will also block theother one.

The Network Server¶

The NetworkServer is an application which is running on a node that isconnected to the simulation GWs. The GWs forward incoming LoRa packets to theNS, and expect to be given packets to transmit in the downlink to EDs by the NS.In order to keep track of all players in the network, the NS keeps two lists ofDeviceStatus and GatewayStatus objects, which represent the currentstatus of each ED and GW in the network, respectively. These objects are used tokeep track of downlink packets that will need to be sent during the ED’s receivewindows, and they also hold pointers to the Mac layer instances of each GW. Thisis done in order to be able to perform queries on the gateway’s current dutycycle limitations and always forward downlink packets to gateways that will beable to transmit the packet in the LoRa network. The current iteration of theNetwork Server only sends downlink packets to devices that require anacknowledgment, ignoring the contents of the packet and of MAC commands it maycontain. Transmission is performed on the first receive window wheneverpossible, and the second receive window is used only when no more resources areavailable to leverage the first chance to respond to the device. More complexand realistic NS behaviors are definitely possible, however they also come at acomplexity cost that is non-negligible.

Scope and Limitations¶

Since this is still a first version of the module, a few caveats are listedbelow.

Inter-protocol interference¶

Since the LoraChannel class can only be connected to LoRa PHY layers, themodel is currently unable to account for interference by other technologies.

It’s expected that it will become possible, in the future, to handleinter-protocol interference by leveraging the SpectrumChannel class, oncemore accurate models of how interference affects LoRa signals become available.

Inter-channel interference¶

Interference between partially overlapping channels is not checked for.Furthermore, there currently is no model to account for interference betweensignals using different bandwidths.

Network Server¶

The current implementation of the Network Server tries to provide a generalstructure to handle EDs and GWs in a network, but still lacks some possiblycomplex code to simulate advanced features like different Adaptive Data Rate(ADR) algorithms, responding to the ED’s MAC commands and supporting joinprocedures. Other limitations of the Network Server is that it doesn’t employ aprotocol to communicate with the Gateways (since no official ones exist), andthat it informs the gateway in real time about downlink messages it needs tosend (in other words, no “booking” of the gateway resource is done in advance,and downlink packets take priority over incoming packets at the gateway).

As of now, the Network Server implementation should be considered as anexperimental feature, prone to yet undiscovered bugs.

Device Classes¶

Currently, only Class A End Devices are supported.

Regional parameters¶

Since LoRaWAN parameters like default channel lineup and MAC commandinterpretations vary based on the operational region of the network,LorawanMacHelper includes methods to specify the region. While the currentimplementation is predisposed to support different configurations of the networkbased on the region it’s meant to be operating in, currently only the EU regionusing the 868 MHz sub band is supported.

Headersmac Designs

MAC layer details¶

Some details that are not crucial for the evaluation of the system performanceof a network still need to be implemented. These include:

  • Frame counters, both at the End Devices and at the Network Server’sDeviceStatus

  • Proper setting of ADR flags (no ADR mechanism is implemented still)

  • Join procedure management (both at the NS and at the EDs)

Usage¶

A typical usage of the model follows some typical ns-3 paradigms, like theusage of helpers to configure a complex network. This section illustrates thesetup of a LoRaWAN network using the module and some other side classes thatweren’t described in the previous sections because they are mainly used toconfigure the network.

Helpers¶

The lorawan module features helpers to configure the PHY and MAC layers on alarge number of devices. The two layers are split in two different classes,LorawanMacHelper and LoraPhyHelper, which can be leveraged by aLoraHelper object to fully configure a LoRa device (both for EDs and forGWs). Since the helpers are general purpose (i.e., they can be used both for EDand GW configuration), it is necessary to specify the device type via theSetDeviceType method before the Install method can be called.

The LorawanMacHelper also exposes a method to set up the Spreading Factors usedby the devices participating in the network automatically, based on the channelconditions and on the placement of devices and gateways. This procedure iscontained in the static method SetSpreadingFactorsUp, and works by trying tominimize the time-on-air of packets, thus assigning the lowest possiblespreading factor such that reception by at least one gateway is still possible.It should be noted that this is an heuristic, and that it doesn’t guarantee thatthe SF distribution is optimal for the best possible operation of the network.In fact, finding such a distribution based on the network scenario is still anopen challenge.

Attributes¶

Currently, the following attributes are available:

  • Interval and PacketSize in PeriodicSender determine the intervalbetween packet sends of the application, and the size of the packets that aregenerated by the application.

Trace Sources¶

Various trace sources can be used to keep track of events throughout thesimulation, mainly regarding the lifetime of a packet. At the PHY layer, thefollowing trace sources are exposed:

  • In LoraPhy (both EndDeviceLoraPhy and GatewayLoraPhy):

    • StartSending, fired when a PHY layer begins transmitting a packet;

    • PhyRxBegin, fired when a PHY layer becomes locked on a packet;

    • PhyRxEnd, fired when a PHY’s reception of a packet ends;

    • ReceivedPacket, fired when a packet is correctly received;

    • LostPacketBecauseInterference, fired when a packet is lost because ofinterference from other transmissions;

    • LostPacketBecauseUnderSensitivity, fired when a PHY cannot lock on apacket because it’s being received with a power below the device sensitivity;

  • In EndDeviceLoraPhy:

    • LoraPacketBecauseWrongFrequency is fired when an incoming packet isusing a frequency that is different from that on which the PHY is listening;

    • LoraPacketBecauseWrongSpreadingFactor is fired when an incoming packetis using a SF that is different from that for which the PHY is listening;

    • EndDeviceState is used to keep track of the state of the device’s PHYlayer.

  • In GatewayLoraPhy:

    • LostPacketBecauseNoMoreReceivers is fired when a packet is lost becauseno more receive paths are available to lock onto the incoming packet;

    • OccupiedReceptionPaths is used to keep track of the number of occupiedreception paths out of the 8 that are available at the gateway;

  • In LorawanMac (both EndDeviceLorawanMac and GatewayLorawanMac):

    • CannotSendBecauseDutyCycle is used to keep track of the number of when apacket coming from the application layer cannot be sent on any of theavailable channels because of duty cycle limitations;

  • In EndDeviceLorawanMac:

    • DataRate keeps track of the data rate that is employed by the device;

    • LastKnownLinkMargin keeps track of the last link margin of this device’suplink transmissions; This information is gathered through the LinkCheckMAC commands;

    • LastKnownGatewayCount keeps track of the last known number of gatewaysthat this device is able to reach; This information is gathered through theLinkCheck MAC commands;

    • AggregatedDutyCycle keeps track of the currently set aggregated dutycycle limitations;

  • PacketSent in LoraChannel is fired when a packet is sent on the channel;

Examples¶

simple-lorawan-network-example¶

This example is used to showcase how wireless communication between a device anda gateway happens: one LoRa ED is configured to send a packet, and a GW receivesit. When logging is enabled, the various steps that are needed to send a packetfrom the APP layer of an ED to the MAC layer of a GW can be observed.

network-server-example¶

This example builds on the simple-lorawan-network-example to add a NetworkServer and multiple EDs and GWs to the scenario. This example works as ashowcase for how communication between the End Devices and the Network Serverhappens.

complete-lorawan-network-example¶

This example shows how to configure a whole LoRaWAN network using the ns-3lorawan module. A big network featuring several thousand devices and tens ofgateways is built, and each device is equipped with a PeriodicSenderapplication that periodically sends a packet to the NetworkServer through theGateways. The example keeps track of the sent and received packets, and computessome statistics at the end of the simulation. No Network Server is used in thissimulation, since performance metrics are collected through the GW trace sourcesand packets don’t require an acknowledgment.

Tests¶

Tests are contained in the lorawan-test-suite.cc file. The tests currentlycover the following classes:

  • LoraInterferenceHelper

  • LoraDeviceAddress and LoraDeviceAddressHelper

  • LoraFrameHeader and LorawanMacHeader

  • ReceivePath and GatewayLoraPhy

  • LogicalLoraChannel and LogicalLoraChannelHelper

  • LoraPhy

  • EndDeviceLoraPhy and LoraChannel

References¶

magrin2017performance

D. Magrin, M. Centenaro and L. Vangelista,Performance Evaluation of LoRa Networks in a SmartCity Scenario, in Proc. of the IEEE InternationalConference on Communications, May 2017.

magrin2017thesis

D. Magrin, Network level performances of a LoRa system,December 2016. Available:http://tesi.cab.unipd.it/53740/

sx1301

Semtech, SX1301 Datasheet.

goursaud2015dedicated

C. Goursaud, J. M. Gorce, Dedicated networks forIoT: PHY/MAC state of the art and challenges, EAIendorsed transactions on Internet of Things, 2015.

semtech2015modulation

Semtech Corporation, AN1200.22 LoRa ModulationBasics, May 2015, Online. Available:http://www.semtech.com/images/datasheet/an1200.22.pdf

knight2016reversing

M. Knight, Reversing LoRa, Online. Available:https://github.com/matt-knight/research

lorawanstandard

N. Sornin, M. Luis, T. Eirich, T. Kramp, and O. Hersent,LoRaWAN Specifications, LoRa Alliance, Tech. Rep., 2015.

There are many tricks a web designer can apply to a website in order to enhance its appearance and make it more appealing to the visitors. A carefully-thought design can make the difference between a simple visitor and a potential client.

When it comes to web designs, having an eye-catching layout with powerful features has a great importance. Web designers are continuously coming up with cool effects made entirely with CSS, and today we selected some of the best, fixed header effects we could find!

This post showcases some clever uses of CSS snippets to create interested header effects. Some simply fix the header in place at the top of the screen, others collapse the header as the user scrolls and a few exhibit some super cool animated effects that rearrange the header content. Browse through all of these and see which one fits your style best. Get inspired by these designs and use them in your future web design projects. Let’s begin!

Hampshire Design Studio FHOKE

Here’s an example of a fixed header which has a neat effect when scrolling down. This will make your menu visible at all times and more accessible.

I Shot Him

This website has a creative way of showcasing the header. It’s evolving from a simple icon, into a full-width sticky header that contains all the menu buttons and the logo.

Playground Inc.

This is a great example of a minimalistic header that will definitely get your attention. At first, it displays the full menu, and, when scrolling down, it hides into an icon, to let the rest of the page visible.

Red Antler – Branding Agency

This is a beautiful fixed header design which will improve the accessibility of your website. Also, it has a neat animation effect when scrolling. Follow the link and see it for yourself!

Brightlabs

This design uses a stunning video background with strong colors. Take a look and see how this design would work for your future websites.

Seed Spot

This is another lovely sticky header which includes a fixed menu. This way, regardless of how much you scroll down, you can always keep your menu visible.

Newport

Grain & Mortar

Get inspired by this beautiful header style and see if you can use it in your future web design projects. Grain & Mortar use a white background for it’s header, keeping a simple, minimal look.

Karma – Take WiFi with You on the Go

Get inspired by this header design and use what you learn in your upcoming projects. This layout has a simple but effective design which will definitely get the users attention. Karma has a very visible “Buy Now” call to action button in their header, helping the website with converting visitors into customers.

Le petit cambodge

This bright colored website has a stunning design which you can use as an inspiration. The design uses CSS3 features and it has a beautiful flat design. Le petit use a very unusual sticky header design. At first, the full menu stays fixed during the first parallax effect, however once you scroll past the top section, the fixed header morphs into a minimalistic menu which can be expanded by clicking on the menu icon on the left side.

Adhara – Spirituality + Wellness Marketplace

This beautiful header style has a larger size than the others and it includes a mega menu. Check it out and see if this is something that your website needs. The drawback to this header design is that it does take a lot of top real estate from the page.

Daniel Filler

Here you have another wonderful example of a stunning fully-functional header design. This design includes a neat animation effect that will keep your users engaged. Daniel Filler also includes a “go to top” arrow in his header – something that is rarely seen in headers or top menus.

Something Splendid

This is a simple header style with a beautifully animated effect of adding the company logo on the right side after the user starts scrolling. The layout includes the menu buttons and the logo design.

City of Weslaco

Here is another stunning example which demonstrates that a bit of color, in the right places does a lot of good. This website has a neat flat design with a sticky header. A nice element here is that a video about Weslaco is included in the header.

Coup de Coeur francophone

This website has a wonderful design with lots of colorful elements. See how the designer used bright colors and a fixed header design on this project.

Chunk Creative Agency

This site uses beautiful bright colored gradients and a simple, minimal fixed header which remains sticky while you scroll.

Mosster Studio

This website uses bright colors to create a stunning design. The designer used lots of colors, beautiful illustrations, animations, and a fixed header design.

Steve Zeidner

Headersmac Designs

This is another neat fixed header style with a simple but effective design. It has a thin black layout which includes the logo and the menu buttons.

Snowbird

This website has a stunning fixed header with a beautiful design. Follow the link and see if it meets your requirements.

ALFRED SERVICE

This homepage design amazes through its simplicity. The fixed header has just three buttons and the design is highly interactive and will intrigue the visitors to learn more about the service.

Ditto

This is an amazing fixed header style with a fully functional structure and a beautiful design.

CONDÉ NAST TRAVELER

This website’s slider instantly interacts with the visitor. Asking the visitor a question will surely make him/her curious about the site and what it has to offer. Also, the sticky header is just perfect and adds extra points for user-friendliness.

Jaquet Droz

Mac Designs Carmel In

Get inspired by this modern header design which includes additional options. Here you’ll find the menu buttons, the shopping cart icon, the search icon, and logo.

Pumperlgsund

This simple, clean site layout uses minimalist and animated effects, plus a sticky header and other cool transitions.

Home on Earth

Check out this handwritten style header design which will definitely get noticed. This sticky header improves your website’s accessibility by keeping it in reach at all times.

Mac Designs Jewelry

La Grange

Headers Mac Designs For Mac

Here is a stunning header design which has a fixed position, regardless of how much you scroll. This allows you to better navigate through the website’s structure.

Coloud Headphones

This is another excellent example of a fixed header that you can use as an inspiration for your next project. This layout includes 2 designs, one which appears at first and another, smaller, which appears when you scroll down.

You may also like: