Better Breadcrumbs

By Daniel Wood, 4 October 2018

breadcrumbs hero

Introduction

Breadcrumb menus are great. They tell the user a lot about where they are within a solutions hierarchy.  They also provide a really quick and easy way to navigate up/down that hierarchy if needed. In the FileMaker world, people have been making breadcrumb menus in various forms for a while, the most common implementation is that of a repeating fields, button bars, or in the case of vertical menus, a portal.

And while all of these methods are workable, they tend to have limitations when it comes to 2 aspects - the visual quality of the menu, and the ability to customise and extend the menu. So what do we mean by these?  We’ll start off by giving an example of a breadcrumb menu built using a button bar, discuss some of its limitations, and then present our alternative implementation using a tab control object.

Example file time!

Rather than wait til the end to check out the demo, we strongly recommend you download and explore the example file as you read. This will help you follow along with the content of the article and help you to understand what we are talking about.

BetterBreadcrumbs.zip

 

A typical breadcrumb menu

Here is an example of a standard breadcrumb menu. This is a location based menu, as the items in the menu are locations within the solution the user can navigate to.

Breadcrumbs 1

The user currently resides at the right-most location in the menu, and as you scan to the left you can work your way back up the navigation hierarchy all the way to home screen. These navigation elements are clickable, so the user is free to traverse back up the hierarchy to any point they wish.

Building this in FileMaker

Many peoples first instinct would be to use a button bar to design and build a breadcrumb menu. It has a number of properties that suit a breadcrumb menu:

  • Multiple segments, each could be a step in the hierarchy
  • Clickable, as each segment is essentially a button
  • You can calculate the text to appear in each segment.

But here’s the problem. Button bars are of a fixed width, and the segments within the button bar are all proportional in width to the overall width of the bar itself. So if you have a 100pt wide button bar, with 10 segments, then each segment will be 10 pts wide. If you extend the width of the bar to 200pts, then each segment grows to 20pts in width. You have no control over the width of each individual segment.

So what does this mean for us in real terms?

Breadcrumbs 2

Here is a crack at building a breadcrumb menu with a button bar. The issue we have is that each segment has a variable amount of text, yet we can only have a single width per segment. Add to this the fact that typical breadcrumb menus have a divider between each element, and you end up with a pretty average looking menu.

Breadcrumbs 3

This is what it looks like in layout mode, to further illustrate whats going on.

Now, we have seen people come up with attempts to work around this fixed width segment issue. Some involve creating button bar segments based on calculations, where the text inside each segment is padded with spaces to make it a certain width, while others involve starting off with hundreds of small segments, and programmatically removing certain segments and padding others. The simple fact is these are all complex and a real pain to work with, and you still do not achieve a really beautiful result.

What about a tab control?

What’s that, I hear you ask? A tab control? Surely a tab is the last object you’d think of to build a breadcrumb menu right? Well maybe, but the fact is tab controls are the perfect layout object for building them (short of an actual breadcrumb menu layout object!). 

The reason why tab controls are so great for this, is the simple fact that the width of each tab control name is variable in width. This means it doesn’t matter how much or how little text goes into each tab name, they won’t all end up the same width.

Breadcrumbs 4

This is a tab control, designed to look like a breadcrumb menu. Looks pretty nice doesn’t it. Notice how all of the spacing between the dividers and the items are all consistent.  So how is this done?

Breadcrumbs 5

Here is the same tab control object highlighted in layout mode.  The height of the overall object has been reduced such that there is actually no content space, it’s just the height of the tab names themselves. We aren’t going to be using this object for placing other objects in, we are only concerned with the names.

Let’s look at the tab control setup next.

Breadcrumbs 6

Interesting! What we can see here is that the odd positions in the tab control are given the names of the items in the menu. Whilst the even positions are used for dividers. This is a key concept in our technique for building the menu - odd spaces are for items, even spaces are for separators.

The above setup is kind of useless in an actual solution because it is so hard-coded. Ideally you want the menu to be dynamic, and have elements add/remove as you traverse up/down the navigation hierarchy of your solution, but at this point we’re simply showing you the building blocks for how we structure the object.

We use the “Label width + Margin of” option for tab width, this allows tabs to grow as more text is added, whilst maintaining an even spacing between items and dividers. We are using an ascii character of a right arrow for the divider.

Formatting items

You’ll note that the first three items in the menu are underlined. This is to give visual indication to the user that these are clickable. The right-most element is not underlined, suggesting that is the screen they are current on, and there is no need for them to click that link.

Visual design is achieved through conditional formatting of each individual tab control. In this very basic example, the condition for the first 3 items is simply “true” and we format them to underlined. Again in reality we want to be a bit more dynamic in our conditional formatting, which we’ll cover later.

For a navigation breadcrumb, you may actually wish to simply go with a hard-coded menu such as the one above, and just adjust its display for each layout it appears on, and indeed this may be the easiest implementation.  Other implementations may require a more soft-coded dynamic approach.

A simple example

In the example file we start off with a simple wizard example. Here we use a breadcrumb menu to indicate position in a step by step wizard.

Breadcrumbs 7

This wizard has 5 steps, and the user will work their way through the wizard, and continue to the next section by clicking a button. The menu itself is not clickable, it exists purely as a visual aid to inform the user of their progress in the wizard.

We use the tab control for display of the menu, and we are using a slide-control beneath it for the wizard itself. So, the slide control has 5 panels and each panel is named Wizard_1 through Wizard_5.

The tab control setup is as follows:

Breadcrumbs 8

Pretty simple stuff. Again odd positions for items, even positions are separators. Because the size of this wizard is known, we only need to add however many tabs are required for each step. 

Navigation through the wizard is done by running a script.  The script takes as a parameter a direction, be it forward or back. Depending on which direction, it updates the value of a global variable $$WIZARD_POSITION. We use this global variable to help us know which step of the wizard we are on.  The script then simply navigates to the next or previous slide panel.

The breadcrumb menu now has to update visually to reflect the users position also. We know the position of the user based on the number in the global variable which will be between 1 and 5.  The visual updating is done via conditional formatting, so let's take a look at that:

Breadcrumbs 9

This is really easy. What we are looking at is the conditional formatting rule for the second position “Your Details”.  We’re saying that if the user is at this position, or has gone past this position already, that it should be coloured.

Breadcrumbs 10

Here the user is on step 4 “Interests”, and so the conditional formatting of items 1 through 4 are evaluated to true, and are coloured bold and green.

For the dividers, they are irrelevant in our example, so we can either always evaluate their conditional formatting to true (and assign them some property, in this case grey colour), or you can leave them without conditional formatting, in which case they will inherit the default formatting of the tab control object.

In this example, you’ll note that the text is black, and the dividers are grey, so we have a difference in formatting of the 2 types of tabs. In the interests of simplicity, we make the default tab text colour black, and we have applied conditional formatting to all dividers, to change them to grey.

Adding action to navigation items

More often than not, you want the user to be allowed to click an item in the navigation menu and run a script accordingly. We can achieve this in tab controls by using the OnPanelSwitch object trigger.

Breadcrumbs 11

Here is the same wizard, although this time all sections can be navigated to at any point in time.

We start by altering the formatting so that all objects are underlined to begin with, indicating that they can be clicked.  The other conditional formatting properties are the same as in the previous example, if the user is on a position, or that position is to the left of where the user currently is, we make it bold and green.

If we apply an OnPanelSwitch trigger to the tab control object,  then our script will run regardless of which tab is chosen.  An important piece of information we will use in the script is the position of the tab the user has clicked. This can be found by evaluating the first value in the function Get ( TriggerTargetPanel ).

There are 2 possible situations here. Firstly, the user may have clicked a divider. Our script will still run in this instance, so we must handle this situation. Recall all even positions are dividers, so we can check whether the clicked position is even. If it is then we return a FALSE result from the script, and the divider tab is not navigated to.

The only other scenario is the user has clicked on an actual item that they can navigate to. This will be an odd number.  We must translate this number into the actual wizard position. We need to do this because of the dividers, they offset the clicked item.

To illustrate this consider clicking on “Immediate Family”. You know that this is the third position in the wizard, but it is actually the 5th position in the tab control. So we need to write a translation between the position chosen and the wizard position. It’s pretty straightforward and simply Ceiling ( $PositionClicked / 2 ).  In our example, this would be 5/2 = 2.5, and taking the ceiling of this gives us a wizard position of 3.

Now that we know the wizard position, it’s just a case of setting our location to that value, and going to that sliding panel object, all done !

You can indeed write your own script to cater for any positional click in your menu, regardless of what you are using your menu for.

Abstracting item names into a table

Often times your wizard or menu items will exist in a table as records because you need to customise them, or build different menus for different purposes. In this example we’re going to show that you can still use the breadcrumb menu in this fashion.

Breadcrumbs 12

Breadcrumbs 13

Here is a table of records, each for a different section in the breadcrumb menu, and below is the breadcrumb menu.  The 2 important bits of information in the table are the name of the item, and its position in the menu.

The beauty of using a tab control really stands out when using an abstracted menu like this. The menu will simply expand to accommodate variable lengths of text. In order for things to work smoothly there are just two things you need to be aware of:

  • Make the initial width of the tab object wide enough to cater for a worst case scenario length of menu.
  • Add enough tab control objects so that you are sure you have enough menu positions to cater for all the items that may end up in the menu.

Breadcrumbs 14

Here is the tab control setup of this abstracted menu. Wow things are really getting interesting now!  What you see there is a custom function which we have named @BREADCRUMB. It takes 2 parameters. The first is a keyword identifying which records in our wizard setup table to retrieve, and the second is the order number to retrieve. The 5 items in our table are all of type “Abstracted”, and are all numbered 1 through 5. 

Breadcrumbs 15

Here’s the custom function. It’s a simple executeSQL query where we retrieve names of items based on their type and order number, again nothing magical here just standard FileMaker.

The rest of the implementation is no different to our other examples. Conditional formatting for the items, and a script trigger for navigation.

Abstracting the formatting as well as the names

In this last example we show how you can tailor the formatting of individual items in the menu as well as their names. Now you could achieve this with conditional formatting again, but if you want a specific item to have a specific formatting you may wish to abstract this into a table of records to be based on actual items, rather than position in the menu.

This is a very similar example to the one above, with a slight exception that we have an additional field in our table containing an RGB function for the colour we want our item to be.

Breadcrumbs 16

Here is the tab control setup for this example:

Breadcrumbs 17

We have added in 9 different tabs here. In fact we add more than required in case more are needed. Because the items are abstracted to a menu, but adding more tabs, we ensure we don’t have to come back and potentially add more in future.

The other interesting thing to notice here is that we no longer are adding dividers into the even positions. It’s all just calls to a custom function called @BREADCRUMB_Formatted.  This function is identical in behaviour to the earlier one, but this function does a couple more things

  • If the order number passed through is even, it returns the divider character
  • If the order number passed through is odd, it obtains the name of that item from corresponding record.
  • It also obtains the formatting properties from the record, and applies them to the name, using the Evaluate function.
  • It also determines using the wizard position $$WIZARD_POSITION whether to format the item, or whether to not format

So in this case, we are not using conditional formatting to determine whether to format an item or not, it is entirely done within the custom function. The formatting properties we use comes from the record itself.

Breadcrumbs 18

The end result of this is that because we are only displaying text for items, we have full formatting control over how that looks using the text formatting functions. Here we are using slightly different colours for each item.

Tabs are awesome

The tab control object is just one of those cool objects that just keeps giving. We really love these breadcrumb menus and feel they have a really useful place in solutions. They can also be now made to look really professional and behave just like a breadcrumb menu should as well as being very easy to customise and format.

Example file again!

As with all of our articles we produce we like to provide a detailed example file to go along with it. It’s not enough to just read how something is done, you should be able to see it in action and explore how it works yourself. Please find attached the example file below.

Breadcrumbs.zip

Credits

We'd like to thank Greig Jackson here at Digital Fusion for coming up with this method — nice work!

Something to say? Post a comment...

Comments

  • web page 30/04/2025 1:59am (1 day ago)

    Приветствуем на нашем портале! Здесь вы
    найдете всё необходимое для управления вашими финансами.

    У нас широкий выбор финансовых продуктов, которые помогут вам достигнуть
    ваших целей и обеспечить стабильность в будущем.
    В нашем ассортименте есть различные виды банковских
    продуктов, инвестиции, страхование, кредиты и многое другое.

    Мы постоянно обновляем нашу базу данных, чтобы вы всегда были в курсе последних новостей и
    инноваций на финансовом рынке.
    Наши специалисты помогут вам выбрать
    наиболее подходящий продукт, учитывая ваши индивидуальные потребности и предпочтения.
    Мы предоставляем консультации и рекомендации, чтобы вы могли принять обоснованное решение и избежать рисков.
    Не упустите возможность воспользоваться нашими услугами и откройте для себя мир финансовых возможностей!
    Посетите наш сайт, ознакомьтесь с каталогом продуктов и начните свой путь к финансовой стабильности
    прямо сейчас!
    БериБеру в Сочи

  • ورزش زومبا برای چه افرادی مناسب است 30/04/2025 1:08am (2 days ago)

    Hello colleagues, nice piece of writing and good urging
    commented at this place, I am really enjoying by these.

  • Акция 30/04/2025 12:38am (2 days ago)

    This site was... how do I say it? Relevant!! Finally I've found something that helped
    me. Kudos!

  • Комета казино 30/04/2025 12:28am (2 days ago)

    <br>Добро пожаловать в Kometa Casino — лучшее казино для любителей азартных игр! Здесь каждый найдёт развлечение по душе легендарные игровые автоматы, захватывающие карточные игры, а также уникальные акции, которые помогут сделать игру ещё выгоднее. https://kometa-jackpot-casino.makeup/.<br>

    <br>Почему стоит играть в Kometa Casino?<br>


    Высокая скорость транзакций и скрытых платежей.
    Постоянно обновляемый каталог игр, пополняемая новыми слотами.
    Эксклюзивные бонусы, позволяющие играть с максимальной выгодой.


    <br>Попробуйте Kometa Casino и получите незабываемые эмоции!<br>

  • pokertube - watch Free Poker videos & tv Shows 30/04/2025 12:11am (2 days ago)

    BU

  • buy telegram members with bitcoin 30/04/2025 12:11am (2 days ago)

    You should take part in a contest for one of the best websites online.
    I am going to recommend this blog!

  • Watch Free Poker Videos 29/04/2025 11:29pm (2 days ago)

    JO

  • dark web market 29/04/2025 11:24pm (2 days ago)

    I really like it when folks come together and share ideas.
    Great site, stick with it!

  • https://stemcellcostgermany.com/ 29/04/2025 11:14pm (2 days ago)

    The cost of stem cell therapy in states varies based on the
    clinic, location, https://stemcellcostgermany.com/, and the doctor performing the procedure.

  • https://ssyoutube.com/ 29/04/2025 11:13pm (2 days ago)

    Phần mềm này không hề tích hợp bất kì quảng cáo nào
    khi sử dụng.

  • salt trick in the shower for ed 29/04/2025 10:53pm (2 days ago)

    Hello! Someone in my Myspace group shared this website
    with us so I came to check it out. I'm definitely enjoying the information. I'm book-marking and will be tweeting this
    to my followers! Exceptional blog and fantastic design.

  • telegram membership 29/04/2025 10:37pm (2 days ago)

    hi!,I like your writing so much! share we be in contact more
    approximately your article on AOL? I require an expert in this house to solve my problem.
    Maybe that is you! Looking forward to peer you.

  • mostbet 29/04/2025 10:14pm (2 days ago)

    mostbet Hit the jackpot with us!
    Unlock your success!
    Play with trust on our secure platform!
    Become a winner today!
    Hit the jackpot!
    Definitely talk about our community!
    Grateful for your interest!
    Simply incredible!
    You are a winning member!
    Eagerly awaiting your upcoming tournaments!
    Bookmarked your platform in my bookmarks!
    Entertaining!
    Definitely recommending about you!
    Huge thanks for the promotion!
    Very trustworthy!
    Your efforts always are rewarded! mostbet
    mostbet
    mostbet پاکستان
    mostbet

  • создание сайта под ключ краснодар 29/04/2025 9:49pm (2 days ago)

    Для этого всего, необходимо определиться
    с тематикой сайта. Это во многом
    предопределит как набор инструментов, с помощью
    которых будет создаваться Ваш сайт, так и его внешний вид.

    Относительно программной части, можно сказать, что лучше всего обращаться за услугами профессиональных веб
    мастеров, создание сайта недорого
    в краснодаре - это достаточно сложный
    процесс, в котором требуется
    уделять внимание множеству нюансов.

  • how to add sticker on telegram 29/04/2025 9:42pm (2 days ago)

    I'm not sure where you're getting your information, but good topic.
    I needs to spend some time learning more or understanding
    more. Thanks for excellent information I was looking for this information for my mission.

  • https://italystemcellinfo.com 29/04/2025 9:31pm (2 days ago)

    Transplanted stem cells can differentiate into different types of blood cells and
    repair the https://italystemcellinfo.com/.

  • mostbet 29/04/2025 9:30pm (2 days ago)

    mostbet Join the thrill of online gaming!
    Experience the excitement of blackjack!
    Claim your VIP perks now!
    Become a winner today!
    Your winning moment is waiting!
    Recommend us to friends!
    Grateful for your interest!
    Very motivating!
    You are a skilled winner!
    Waiting for your future wins!
    Bookmarked your content in my bookmarks!
    You're outstanding!
    Definitely telling about your site!
    Appreciate your input!
    Very professional!
    You are a successful player! mostbet kz
    mostbet
    mostbet РФ
    mostbet

  • https://stemcellautismcare.com 29/04/2025 8:48pm (2 days ago)

    In a similar method, if the clinic offers the same procedure for several
    diseases and conditions or more relies on recommendations, rather than on scientific confidentiality or publications, as
    justifying its procedure, https://stemcellautismcare.

  • mostbet ua 29/04/2025 8:17pm (2 days ago)

    mostbet ua Hit the jackpot with us!
    Discover endless fun!
    Claim your exclusive offers now!
    Don't miss out on thrilling games!
    Join the lucky ones!
    Tell your community about us!
    Appreciate your support!
    Absolutely superb!
    Our community is fantastic!
    Waiting for your new promotions!
    Joined your promotions!
    Great community!
    Saving and presenting!
    Grateful for the amazing platform!
    Absolutely superb!
    Our platform is fantastic! mostbet
    mostbet Кыргызстан
    mostbet today
    mostbet Pakistan

  • https://trustedstemcellcost.com 29/04/2025 8:07pm (2 days ago)

    245.Hamid M.S., Mohamed Ali M.R., Yusof A., George J., Professor of https://trustedstemcellcost.com/ at Li.

  • bible.Drepic.com 29/04/2025 7:54pm (2 days ago)

    Primo is not actually known to trigger extreme unwanted effects and this is
    why it's used in higher quantities by bodybuilders and even women. Primo
    is called one of many least impactful Steroids identified to man and has usually been in comparison with Anavar (Oxandrolone) when it comes to unwanted effects.
    Sure, Primo does have unwanted aspect effects like hair loss, testosterone shutdown, etc, but it’s far less dangerous than different injectable Steroids.

    Elevate your gains with HGH-X2, a testomony to achieving optimal outcomes with minimal dangers
    within the realm of legal and secure efficiency enhancement.
    Renowned because the ‘lady steroid,’ Anvarol stands out
    for its gentle unwanted facet effects, distinguishing it as certainly one of the safest options on the earth of
    performance-enhancing substances.
    Many bodybuilders use steroids to get well faster from workouts.

    In conclusion, pure bodybuilding is all about discipline and persistence.

    The advantages of natural bodybuilding transcend simply bodily look, as it can enhance overall health, mental wellbeing,
    and self-confidence. Bear In Mind to concentrate on progressive overload, compound
    workouts, and sufficient relaxation and recovery for optimal
    outcomes. Moreover, this complement facilitates nitrogen retention, a important factor for protein synthesis and in the end selling muscle progress.
    The risks of illegal steroids have been identified to indicate their harmful effects each
    physically and mentally.
    In quick, steroids don’t make one’s joints bulletproof but won’t destroy them either if the plan of choice
    is conservative. There are additionally steroids such as Deca
    and EQ recognized to alleviate joint pain. Sadly, other medicine
    like Winstrol dehydrate the joints and reduce the integrity
    of the connective tissues.
    Being careless can get you banned from competing in drug-tested bodybuilding organizations.
    The INBA/PNBA has a "Hall of Shame" on their website the place they humiliate bodybuilders that fail their drug tests.
    Ron has built several profitable carriers since retiring from bodybuilding.

    He is a number one life and health coach, an expert in physiology, diet and nutrition, and fats loss, and a pastor of a
    non-denominational Christian church in Salt Lake City, Utah.

    Nevertheless, the IFBB Pro League, the premiere
    professional bodybuilding organization, is likely certainly one of the few pro sporting institutions that does not take a
    look at its athletes for steroids. Although the IFBB Pro League cannot understandingly introduce
    doping exams, the unregulated gear use has tuned pro bodybuilding into one of the
    most dangerous sports. How steroids work within the physique is by binding
    to the androgen receptor.
    To get the best results with Testol one hundred forty, Crazy Bulk recommends taking four capsules every day, round forty five minutes earlier than workouts,
    and continuing for at least two months. After just one month of use, I gained 12 lbs
    and looked more muscular. Within days, I noticed a huge enhance in my
    strength and endurance. Your moods and emotions are balanced by the limbic system of your brain. Steroids act on the limbic system and will cause irritability and mild despair.
    Eventually, steroids could cause mania, delusions, and violent aggression, or "roid rage." Anabolic steroids you're
    taking by mouth can be found in pill or capsule form.

    The aforementioned pure medication are also all
    authorized and never on any banned substances listing.
    Pure bodybuilders of those earlier eras like
    Eugen Sandow, Bobby Pandour, and The Iron Guru Vince Gironda,
    had been able to construct unimaginable physiques without steroids.
    Based on our anecdotal findings and existing medical research, anabolic steroids have a
    direct damaging effect on the testicles (4), decreasing sperm count and quality.
    We have seen quite a few steroid users with thick hair as a outcome of strong
    genetics in regard to follicle well being and decreased natural ranges of 5
    AR. Nonetheless, steroids affect people in numerous ways, and a few customers don't experience elevated outbursts
    of anger however as an alternative more regular instances of irritation and grumpiness.

    Using steroids in bodybuilding raises considerations about fair play.
    Steroid use could make it onerous to find out the most effective natural athlete.
    Many consider that true expertise must be showcased with out enhancements.
    Steroids are unlawful in bodybuilding competitions regulated
    by organizations just like the IFBB.
    As a outcome, they tend to be smaller than their juiced-up counterparts.

    Paul Krueger is a force to reckon with in natural bodybuilding.
    He shocked everybody by profitable the 2021 Natural Olympia
    weeks after getting his pro card! Nevertheless, you should know he was an newbie bodybuilder for 25 years earlier than turning
    into knowledgeable pure bodybuilder. Derek Joe competed in his first-ever novice bodybuilding competitors in 2020.
    He went from that to winning the Natural Olympia Men’s
    Basic Physique Open in 2021, a tough battle, and the reason he made the list of best
    pure bodybuilders.
    Testosterone Alternative Remedy (TRT) goals to
    revive testosterone ranges, enhancing athletic efficiency.
    For protein, you’ll need about 1 – 1.2 grams per pound of body weight.
    We need protein to construct muscle naturally (duh),
    and fats are essential to make sure hormonal steadiness in the body stays secure.
    Unleash the full testosterone-producing potential in your body.
    While you is often a pro-natural bodybuilder, your body will be unable to outperform other bodybuilders since there’s no
    method a natty can sustain with PED customers within the bodybuilding sphere.
    You should eat a healthy diet, pay for a fitness
    center membership, and take high quality dietary supplements along with all the costs
    of making ready for a present, like travel prices.
    Including steroids to that price can add up, as the quality choices are expensive.

    Violating these laws can lead to legal costs, together with fines,
    probation, or imprisonment. Coaching while on a Dianabol and Testosterone cycle
    should emphasize progressive overload, repeatedly pushing the physique to
    adapt and develop stronger. Properly petering out in course of the tip of the cycle helps ease the transition back to
    pure hormone manufacturing and minimizes withdrawal signs.
    Effective cycling of Dianabol and Testosterone requires careful planning
    of the duration, dosages, and help methods to maximise outcomes whereas minimizing unwanted effects.
    Structuring the cycle intelligently could make the difference between impressive features and
    irritating setbacks. These extra advantages contribute to a extra resilient,
    healthier physique, able to sustaining intense bodily demands over the
    lengthy run.
    To turn bodybuilding success into profit, one must perceive
    the market and construct a robust private brand.
    Successful pure bodybuilders, who focus on high-protein diets and detailed diet plans,
    typically find great monetary opportunities within the health
    world. The stories of those Natural Mr. Universe
    champions and Pure Olympia winners are guiding lights for future
    inspiring natural bodybuilders. Their success proves that you could reach nice heights in bodybuilding naturally.

    When you carry weights you're primarily tearing the muscles and in order for them to heal correctly, they require protein. Women have about 15% less testosterone than men making it biologically
    more difficult for ladies to achieve muscle than it's for males.
    Girls who lift weights can not solely increase muscle
    they may benefit from elevated bone density. It is clear
    that when you take steroids then your shoulder muscular tissues become
    really buffed and stable even if you do only a few cycles.

    Jeremy Buendia is a type of bodybuilders who's a complete mass monster.

  • darknet markets onion 29/04/2025 7:41pm (2 days ago)

    This is nicely expressed! ! https://mydarknetmarketsonline.com https://mydarknetmarketsonline.com

  • https://stemcellpricing.com 29/04/2025 7:29pm (2 days ago)

    But difficulty is you never know whether it will
    be successful, but the https://stemcellpricing.com/ is not.

  • http://WwDr.Ess.Aleoklop.Atarget=\"_Blank\" hrefmailto:e@Ehostingpoint.com/info.php?a[]=simply click the following internet page 29/04/2025 7:09pm (2 days ago)

    CF

  • mostbet 29/04/2025 7:07pm (2 days ago)

    https://github.com/vanleeu/mostbet-russia-bk Spin to win big!
    Experience the excitement of blackjack!
    Stay tuned for special events!
    Subscribe to our blog for more!
    Play big!
    Share the joy with friends!
    Huge thanks for playing us!
    Very professional!
    You motivate us!
    Following your next tournaments!
    Subscribed to your newsletter!
    You're a genuine master!
    Saving and sharing!
    Thanks for the entertaining offer!
    Very inspiring!
    You encourage us! https://github.com/vanleeu/mostbet-bangladesh
    https://github.com/vanleeu/Mostbet-Uzbekistan/
    https://github.com/vanleeu/mostbet-bangladesh
    https://github.com/vanleeu/Mostbet-igri-2025

RSS feed for comments on this page | RSS feed for all comments

Categories(show all)

Subscribe

Tags